diff --git a/.gitignore b/.gitignore index 43f33783e3..43f3cab912 100644 --- a/.gitignore +++ b/.gitignore @@ -15,6 +15,13 @@ !/apps/files_versions !/apps/user_ldap !/apps/user_webdavauth +/apps/files_external/3rdparty/irodsphp/PHPUnitTest +/apps/files_external/3rdparty/irodsphp/web +/apps/files_external/3rdparty/irodsphp/prods/test +/apps/files_external/3rdparty/irodsphp/prods/tutorials +/apps/files_external/3rdparty/irodsphp/prods/test* + + # ignore themes except the README /themes/* diff --git a/3rdparty b/3rdparty index e312294ef6..72db6ce87d 160000 --- a/3rdparty +++ b/3rdparty @@ -1 +1 @@ -Subproject commit e312294ef62873df2b8c02e774f9dfe1b7fbc38d +Subproject commit 72db6ce87d69f00ce62d2f3f277a54f6fdd0f693 diff --git a/README b/README deleted file mode 100644 index 5f5d190cb0..0000000000 --- a/README +++ /dev/null @@ -1,20 +0,0 @@ -ownCloud gives you freedom and control over your own data. -A personal cloud which runs on your own server. - -http://ownCloud.org - -Installation instructions: http://doc.owncloud.org/server/5.0/developer_manual/app/gettingstarted.html -Contribution Guidelines: http://owncloud.org/dev/contribute/ - -Source code: https://github.com/owncloud -Mailing list: https://mail.kde.org/mailman/listinfo/owncloud -IRC channel: https://webchat.freenode.net/?channels=owncloud -Diaspora: https://joindiaspora.com/u/owncloud -Identi.ca: https://identi.ca/owncloud - -Important notice on translations: -Please submit translations via Transifex: -https://www.transifex.com/projects/p/owncloud/ - -For more detailed information about translations: -http://owncloud.org/dev/translation/ diff --git a/README.md b/README.md new file mode 100644 index 0000000000..ca7b04a925 --- /dev/null +++ b/README.md @@ -0,0 +1,26 @@ +# ownCloud + +[ownCloud](http://ownCloud.org) gives you freedom and control over your own data. +A personal cloud which runs on your own server. + +### Build Status on [Jenkins CI](https://ci.owncloud.org/) +Git master: [![Build Status](https://ci.owncloud.org/buildStatus/icon?job=ownCloud-Server%28master%29)](https://ci.owncloud.org/job/ownCloud-Server%28master%29/) + +### Installation instructions +http://doc.owncloud.org/server/5.0/developer_manual/app/gettingstarted.html + +### Contribution Guidelines +http://owncloud.org/dev/contribute/ + +### Get in touch +* [Forum](http://forum.owncloud.org) +* [Mailing list](https://mail.kde.org/mailman/listinfo/owncloud) +* [IRC channel](https://webchat.freenode.net/?channels=owncloud) +* [Twitter](https://twitter.com/ownClouders) + +### Important notice on translations +Please submit translations via Transifex: +https://www.transifex.com/projects/p/owncloud/ + +For more detailed information about translations: +http://owncloud.org/dev/translation/ diff --git a/apps/files/ajax/scan.php b/apps/files/ajax/scan.php index 0706d4e782..5b32b6db9b 100644 --- a/apps/files/ajax/scan.php +++ b/apps/files/ajax/scan.php @@ -16,72 +16,56 @@ if (isset($_GET['users'])) { } $eventSource = new OC_EventSource(); -ScanListener::$eventSource = $eventSource; -ScanListener::$view = \OC\Files\Filesystem::getView(); - -OC_Hook::connect('\OC\Files\Cache\Scanner', 'scan_folder', 'ScanListener', 'folder'); -OC_Hook::connect('\OC\Files\Cache\Scanner', 'scan_file', 'ScanListener', 'file'); +$listener = new ScanListener($eventSource); foreach ($users as $user) { $eventSource->send('user', $user); - OC_Util::tearDownFS(); - OC_Util::setupFS($user); - - $absolutePath = \OC\Files\Filesystem::getView()->getAbsolutePath($dir); - - $mountPoints = \OC\Files\Filesystem::getMountPoints($absolutePath); - $mountPoints[] = \OC\Files\Filesystem::getMountPoint($absolutePath); - $mountPoints = array_reverse($mountPoints); //start with the mount point of $dir - - foreach ($mountPoints as $mountPoint) { - $storage = \OC\Files\Filesystem::getStorage($mountPoint); - if ($storage) { - ScanListener::$mountPoints[$storage->getId()] = $mountPoint; - $scanner = $storage->getScanner(); - if ($force) { - $scanner->scan('', \OC\Files\Cache\Scanner::SCAN_RECURSIVE, \OC\Files\Cache\Scanner::REUSE_ETAG); - } else { - $scanner->backgroundScan(); - } - } + $scanner = new \OC\Files\Utils\Scanner($user); + $scanner->listen('\OC\Files\Utils\Scanner', 'scanFile', array($listener, 'file')); + $scanner->listen('\OC\Files\Utils\Scanner', 'scanFolder', array($listener, 'folder')); + if ($force) { + $scanner->scan($dir); + } else { + $scanner->backgroundScan($dir); } } -$eventSource->send('done', ScanListener::$fileCount); +$eventSource->send('done', $listener->getCount()); $eventSource->close(); class ScanListener { - static public $fileCount = 0; - static public $lastCount = 0; - - /** - * @var \OC\Files\View $view - */ - static public $view; - - /** - * @var array $mountPoints map storage ids to mountpoints - */ - static public $mountPoints = array(); + private $fileCount = 0; + private $lastCount = 0; /** * @var \OC_EventSource event source to pass events to */ - static public $eventSource; + private $eventSource; - static function folder($params) { - $internalPath = $params['path']; - $mountPoint = self::$mountPoints[$params['storage']]; - $path = self::$view->getRelativePath($mountPoint . $internalPath); - self::$eventSource->send('folder', $path); + /** + * @param \OC_EventSource $eventSource + */ + public function __construct($eventSource) { + $this->eventSource = $eventSource; } - static function file() { - self::$fileCount++; - if (self::$fileCount > self::$lastCount + 20) { //send a count update every 20 files - self::$lastCount = self::$fileCount; - self::$eventSource->send('count', self::$fileCount); + /** + * @param string $path + */ + public function folder($path) { + $this->eventSource->send('folder', $path); + } + + public function file() { + $this->fileCount++; + if ($this->fileCount > $this->lastCount + 20) { //send a count update every 20 files + $this->lastCount = $this->fileCount; + $this->eventSource->send('count', $this->fileCount); } } + + public function getCount() { + return $this->fileCount; + } } diff --git a/apps/files/ajax/upload.php b/apps/files/ajax/upload.php index 8433716dec..dde5d3c50a 100644 --- a/apps/files/ajax/upload.php +++ b/apps/files/ajax/upload.php @@ -18,7 +18,6 @@ if (empty($_POST['dirToken'])) { } } else { $linkItem = OCP\Share::getShareByToken($_POST['dirToken']); - if ($linkItem === false) { OCP\JSON::error(array('data' => array_merge(array('message' => $l->t('Invalid Token'))))); die(); @@ -27,11 +26,18 @@ if (empty($_POST['dirToken'])) { if (!($linkItem['permissions'] & OCP\PERMISSION_CREATE)) { OCP\JSON::checkLoggedIn(); } else { + // resolve reshares + $rootLinkItem = OCP\Share::resolveReShare($linkItem); + + // Setup FS with owner + OC_Util::tearDownFS(); + OC_Util::setupFS($rootLinkItem['uid_owner']); // The token defines the target directory (security reasons) + $path = \OC\Files\Filesystem::getPath($linkItem['file_source']); $dir = sprintf( "/%s/%s", - $linkItem['file_target'], + $path, isset($_POST['subdir']) ? $_POST['subdir'] : '' ); @@ -39,8 +45,6 @@ if (empty($_POST['dirToken'])) { OCP\JSON::error(array('data' => array_merge(array('message' => $l->t('Unable to set upload directory.'))))); die(); } - // Setup FS with owner - OC_Util::setupFS($linkItem['uid_owner']); } } @@ -76,17 +80,17 @@ $files = $_FILES['files']; $error = ''; -$maxUploadFilesize = OCP\Util::maxUploadFilesize($dir); -$maxHumanFilesize = OCP\Util::humanFileSize($maxUploadFilesize); +$maxUploadFileSize = $storageStats['uploadMaxFilesize']; +$maxHumanFileSize = OCP\Util::humanFileSize($maxUploadFileSize); $totalSize = 0; foreach ($files['size'] as $size) { $totalSize += $size; } -if ($maxUploadFilesize >= 0 and $totalSize > $maxUploadFilesize) { +if ($maxUploadFileSize >= 0 and $totalSize > $maxUploadFileSize) { OCP\JSON::error(array('data' => array('message' => $l->t('Not enough storage available'), - 'uploadMaxFilesize' => $maxUploadFilesize, - 'maxHumanFilesize' => $maxHumanFilesize))); + 'uploadMaxFilesize' => $maxUploadFileSize, + 'maxHumanFilesize' => $maxHumanFileSize))); exit(); } @@ -108,8 +112,8 @@ if (strpos($dir, '..') === false) { 'id' => $meta['fileid'], 'name' => basename($target), 'originalname' => $files['name'][$i], - 'uploadMaxFilesize' => $maxUploadFilesize, - 'maxHumanFilesize' => $maxHumanFilesize + 'uploadMaxFilesize' => $maxUploadFileSize, + 'maxHumanFilesize' => $maxHumanFileSize ); } } diff --git a/apps/files/appinfo/remote.php b/apps/files/appinfo/remote.php index 6c92cc80b6..9b114ca2e3 100644 --- a/apps/files/appinfo/remote.php +++ b/apps/files/appinfo/remote.php @@ -23,7 +23,7 @@ * */ // load needed apps -$RUNTIME_APPTYPES=array('filesystem', 'authentication', 'logging'); +$RUNTIME_APPTYPES = array('filesystem', 'authentication', 'logging'); OC_App::loadApps($RUNTIME_APPTYPES); @@ -35,15 +35,17 @@ $lockBackend = new OC_Connector_Sabre_Locks(); $requestBackend = new OC_Connector_Sabre_Request(); // Create ownCloud Dir -$publicDir = new OC_Connector_Sabre_Directory(''); +$rootDir = new OC_Connector_Sabre_Directory(''); +$objectTree = new \OC\Connector\Sabre\ObjectTree($rootDir); // Fire up server -$server = new Sabre_DAV_Server($publicDir); +$server = new Sabre_DAV_Server($objectTree); $server->httpRequest = $requestBackend; $server->setBaseUri($baseuri); // Load plugins -$server->addPlugin(new Sabre_DAV_Auth_Plugin($authBackend, 'ownCloud')); +$defaults = new OC_Defaults(); +$server->addPlugin(new Sabre_DAV_Auth_Plugin($authBackend, $defaults->getName())); $server->addPlugin(new Sabre_DAV_Locks_Plugin($lockBackend)); $server->addPlugin(new Sabre_DAV_Browser_Plugin(false)); // Show something in the Browser, but no upload $server->addPlugin(new OC_Connector_Sabre_QuotaPlugin()); diff --git a/apps/files/index.php b/apps/files/index.php index 640c28c007..2f00539150 100644 --- a/apps/files/index.php +++ b/apps/files/index.php @@ -121,6 +121,10 @@ if ($needUpgrade) { // information about storage capacities $storageInfo=OC_Helper::getStorageInfo(); $maxUploadFilesize=OCP\Util::maxUploadFilesize($dir); + $publicUploadEnabled = \OC_Appconfig::getValue('core', 'shareapi_allow_public_upload', 'yes'); + if (OC_App::isEnabled('files_encryption')) { + $publicUploadEnabled = 'no'; + } OCP\Util::addscript('files', 'fileactions'); OCP\Util::addscript('files', 'files'); @@ -137,5 +141,7 @@ if ($needUpgrade) { $tmpl->assign('uploadMaxHumanFilesize', OCP\Util::humanFileSize($maxUploadFilesize)); $tmpl->assign('allowZipDownload', intval(OCP\Config::getSystemValue('allowZipDownload', true))); $tmpl->assign('usedSpacePercent', (int)$storageInfo['relative']); + $tmpl->assign('isPublic', false); + $tmpl->assign('publicUploadEnabled', $publicUploadEnabled); $tmpl->printPage(); } diff --git a/apps/files/js/filelist.js b/apps/files/js/filelist.js index cf3ce2e508..04a9fb9164 100644 --- a/apps/files/js/filelist.js +++ b/apps/files/js/filelist.js @@ -47,7 +47,7 @@ var FileList={ //size column if(size!=t('files', 'Pending')){ - simpleSize=simpleFileSize(size); + simpleSize = humanFileSize(size); }else{ simpleSize=t('files', 'Pending'); } @@ -55,7 +55,6 @@ var FileList={ var lastModifiedTime = Math.round(lastModified.getTime() / 1000); td = $('').attr({ "class": "filesize", - "title": humanFileSize(size), "style": 'color:rgb('+sizeColor+','+sizeColor+','+sizeColor+')' }).text(simpleSize); tr.append(td); @@ -171,6 +170,8 @@ var FileList={ } }else if(type=='dir' && $('tr[data-file]').length>0){ $('tr[data-file]').first().before(element); + } else if(type=='file' && $('tr[data-file]').length>0) { + $('tr[data-file]').last().before(element); }else{ $('#fileList').append(element); } diff --git a/apps/files/js/files.js b/apps/files/js/files.js index 51b3f31fb9..98fc53b71a 100644 --- a/apps/files/js/files.js +++ b/apps/files/js/files.js @@ -756,9 +756,7 @@ function procesSelection(){ for(var i=0;i0){ if(selectedFolders.length==1){ diff --git a/apps/files/l10n/ca.php b/apps/files/l10n/ca.php index f72bc14f51..8d5f69f331 100644 --- a/apps/files/l10n/ca.php +++ b/apps/files/l10n/ca.php @@ -49,6 +49,7 @@ "{count} folders" => "{count} carpetes", "1 file" => "1 fitxer", "{count} files" => "{count} fitxers", +"%s could not be renamed" => "%s no es pot canviar el nom", "Upload" => "Puja", "File handling" => "Gestió de fitxers", "Maximum upload size" => "Mida màxima de pujada", @@ -72,6 +73,8 @@ "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", "Files are being scanned, please wait." => "S'estan escanejant els fitxers, espereu", "Current scanning" => "Actualment escanejant", +"directory" => "directori", +"directories" => "directoris", "file" => "fitxer", "files" => "fitxers", "Upgrading filesystem cache..." => "Actualitzant la memòria de cau del sistema de fitxers..." diff --git a/apps/files/l10n/de.php b/apps/files/l10n/de.php index 98214d6a1b..33430795dd 100644 --- a/apps/files/l10n/de.php +++ b/apps/files/l10n/de.php @@ -1,6 +1,8 @@ "Konnte %s nicht verschieben. Eine Datei mit diesem Namen existiert bereits", "Could not move %s" => "Konnte %s nicht verschieben", +"Unable to set upload directory." => "Das Upload-Verzeichnis konnte nicht gesetzt werden.", +"Invalid Token" => "Ungültiges Merkmal", "No file was uploaded. Unknown error" => "Keine Datei hochgeladen. Unbekannter Fehler", "There is no error, the file uploaded with success" => "Es ist kein Fehler aufgetreten. Die Datei wurde erfolgreich hochgeladen.", "The uploaded file exceeds the upload_max_filesize directive in php.ini: " => "Die hochgeladene Datei überschreitet die upload_max_filesize Vorgabe in php.ini", @@ -47,6 +49,7 @@ "{count} folders" => "{count} Ordner", "1 file" => "1 Datei", "{count} files" => "{count} Dateien", +"%s could not be renamed" => "%s konnte nicht umbenannt werden", "Upload" => "Hochladen", "File handling" => "Dateibehandlung", "Maximum upload size" => "Maximale Upload-Größe", @@ -70,6 +73,8 @@ "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.", "Files are being scanned, please wait." => "Dateien werden gescannt, bitte warten.", "Current scanning" => "Scanne", +"directory" => "Verzeichnis", +"directories" => "Verzeichnisse", "file" => "Datei", "files" => "Dateien", "Upgrading filesystem cache..." => "Dateisystem-Cache wird aktualisiert ..." diff --git a/apps/files/l10n/de_DE.php b/apps/files/l10n/de_DE.php index f9c347b45d..3ce3b2a7fb 100644 --- a/apps/files/l10n/de_DE.php +++ b/apps/files/l10n/de_DE.php @@ -1,5 +1,5 @@ "Konnte %s nicht verschieben. Eine Datei mit diesem Namen existiert bereits", +"Could not move %s - File with this name already exists" => "%s konnte nicht verschoben werden. Eine Datei mit diesem Namen existiert bereits.", "Could not move %s" => "Konnte %s nicht verschieben", "Unable to set upload directory." => "Das Upload-Verzeichnis konnte nicht gesetzt werden.", "Invalid Token" => "Ungültiges Merkmal", diff --git a/apps/files/l10n/el.php b/apps/files/l10n/el.php index 08c52e3b01..7291dbbf15 100644 --- a/apps/files/l10n/el.php +++ b/apps/files/l10n/el.php @@ -70,6 +70,8 @@ "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" => "Τρέχουσα ανίχνευση", +"directory" => "κατάλογος", +"directories" => "κατάλογοι", "file" => "αρχείο", "files" => "αρχεία", "Upgrading filesystem cache..." => "Ενημέρωση της μνήμης cache του συστήματος αρχείων..." diff --git a/apps/files/l10n/es_AR.php b/apps/files/l10n/es_AR.php index d5ae7ae53d..3fc3be1798 100644 --- a/apps/files/l10n/es_AR.php +++ b/apps/files/l10n/es_AR.php @@ -1,26 +1,28 @@ "No se pudo mover %s - Un archivo con este nombre ya existe", "Could not move %s" => "No se pudo mover %s ", +"Unable to set upload directory." => "No fue posible crear el directorio de subida.", +"Invalid Token" => "Token Inválido", "No file was uploaded. Unknown error" => "El archivo no fue subido. Error desconocido", "There is no error, the file uploaded with success" => "No hay errores, el archivo fue subido con éxito", "The uploaded file exceeds the upload_max_filesize directive in php.ini: " => "El archivo que intentás subir excede el tamaño definido por upload_max_filesize en el php.ini:", "The uploaded file exceeds the MAX_FILE_SIZE directive that was specified in the HTML form" => "El archivo subido sobrepasa el valor MAX_FILE_SIZE especificada en el formulario HTML", "The uploaded file was only partially uploaded" => "El archivo fue subido parcialmente", "No file was uploaded" => "No se subió ningún archivo ", -"Missing a temporary folder" => "Error en la carpera temporal", +"Missing a temporary folder" => "Falta un directorio temporal", "Failed to write to disk" => "Error al escribir en el disco", -"Not enough storage available" => "No hay suficiente capacidad de almacenamiento", -"Invalid directory." => "Directorio invalido.", +"Not enough storage available" => "No hay suficiente almacenamiento", +"Invalid directory." => "Directorio inválido.", "Files" => "Archivos", "Unable to upload your file as it is a directory or has 0 bytes" => "No fue posible subir el archivo porque es un directorio o porque su tamaño es 0 bytes", "Not enough space available" => "No hay suficiente espacio disponible", "Upload cancelled." => "La subida fue cancelada", "File upload is in progress. Leaving the page now will cancel the upload." => "La subida del archivo está en proceso. Si salís de la página ahora, la subida se cancelará.", "URL cannot be empty." => "La URL no puede estar vacía", -"Invalid folder name. Usage of 'Shared' is reserved by ownCloud" => "Nombre de carpeta inválido. El uso de \"Shared\" está reservado por ownCloud", +"Invalid folder name. Usage of 'Shared' is reserved by ownCloud" => "Nombre de directorio inválido. El uso de \"Shared\" está reservado por ownCloud", "Error" => "Error", "Share" => "Compartir", -"Delete permanently" => "Borrar de manera permanente", +"Delete permanently" => "Borrar permanentemente", "Delete" => "Borrar", "Rename" => "Cambiar nombre", "Pending" => "Pendientes", @@ -28,9 +30,9 @@ "replace" => "reemplazar", "suggest name" => "sugerir nombre", "cancel" => "cancelar", -"replaced {new_name} with {old_name}" => "reemplazado {new_name} con {old_name}", +"replaced {new_name} with {old_name}" => "se reemplazó {new_name} con {old_name}", "undo" => "deshacer", -"perform delete operation" => "Eliminar", +"perform delete operation" => "Llevar a cabo borrado", "1 file uploading" => "Subiendo 1 archivo", "files uploading" => "Subiendo archivos", "'.' is an invalid file name." => "'.' es un nombre de archivo inválido.", @@ -38,7 +40,7 @@ "Invalid name, '\\', '/', '<', '>', ':', '\"', '|', '?' and '*' are not allowed." => "Nombre invalido, '\\', '/', '<', '>', ':', '\"', '|', '?' y '*' no están permitidos.", "Your storage is full, files can not be updated or synced anymore!" => "El almacenamiento está lleno, los archivos no se pueden seguir actualizando ni sincronizando", "Your storage is almost full ({usedSpacePercent}%)" => "El almacenamiento está casi lleno ({usedSpacePercent}%)", -"Your download is being prepared. This might take some time if the files are big." => "Tu descarga esta siendo preparada. Esto puede tardar algun tiempo si los archivos son muy grandes.", +"Your download is being prepared. This might take some time if the files are big." => "Tu descarga se está preparando. Esto puede demorar si los archivos son muy grandes.", "Invalid folder name. Usage of 'Shared' is reserved by Owncloud" => "Nombre de carpeta inválido. El uso de 'Shared' está reservado por ownCloud", "Name" => "Nombre", "Size" => "Tamaño", @@ -47,11 +49,12 @@ "{count} folders" => "{count} directorios", "1 file" => "1 archivo", "{count} files" => "{count} archivos", +"%s could not be renamed" => "No se pudo renombrar %s", "Upload" => "Subir", "File handling" => "Tratamiento de archivos", "Maximum upload size" => "Tamaño máximo de subida", "max. possible: " => "máx. posible:", -"Needed for multi-file and folder downloads." => "Es necesario para descargas multi-archivo y de carpetas", +"Needed for multi-file and folder downloads." => "Es necesario para descargas multi-archivo y de directorios.", "Enable ZIP-download" => "Habilitar descarga en formato ZIP", "0 is unlimited" => "0 significa ilimitado", "Maximum input size for ZIP files" => "Tamaño máximo para archivos ZIP de entrada", @@ -60,7 +63,7 @@ "Text file" => "Archivo de texto", "Folder" => "Carpeta", "From link" => "Desde enlace", -"Deleted files" => "Archivos Borrados", +"Deleted files" => "Archivos borrados", "Cancel upload" => "Cancelar subida", "You don’t have write permissions here." => "No tenés permisos de escritura acá.", "Nothing in here. Upload something!" => "No hay nada. ¡Subí contenido!", @@ -70,6 +73,8 @@ "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 ", "Files are being scanned, please wait." => "Se están escaneando los archivos, por favor esperá.", "Current scanning" => "Escaneo actual", +"directory" => "directorio", +"directories" => "directorios", "file" => "archivo", "files" => "archivos", "Upgrading filesystem cache..." => "Actualizando el cache del sistema de archivos" diff --git a/apps/files/l10n/et_EE.php b/apps/files/l10n/et_EE.php index 6d94a8105e..c58b066e28 100644 --- a/apps/files/l10n/et_EE.php +++ b/apps/files/l10n/et_EE.php @@ -1,6 +1,8 @@ "Ei saa liigutada faili %s - samanimeline fail on juba olemas", "Could not move %s" => "%s liigutamine ebaõnnestus", +"Unable to set upload directory." => "Üleslaadimiste kausta määramine ebaõnnestus.", +"Invalid Token" => "Vigane kontrollkood", "No file was uploaded. Unknown error" => "Ühtegi faili ei laetud üles. Tundmatu viga", "There is no error, the file uploaded with success" => "Ühtegi tõrget polnud, fail on üles laetud", "The uploaded file exceeds the upload_max_filesize directive in php.ini: " => "Üleslaetava faili suurus ületab php.ini poolt määratud upload_max_filesize suuruse:", @@ -47,6 +49,7 @@ "{count} folders" => "{count} kausta", "1 file" => "1 fail", "{count} files" => "{count} faili", +"%s could not be renamed" => "%s ümbernimetamine ebaõnnestus", "Upload" => "Lae üles", "File handling" => "Failide käsitlemine", "Maximum upload size" => "Maksimaalne üleslaadimise suurus", @@ -70,6 +73,8 @@ "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.", "Files are being scanned, please wait." => "Faile skannitakse, palun oota.", "Current scanning" => "Praegune skannimine", +"directory" => "kaust", +"directories" => "kaustad", "file" => "fail", "files" => "faili", "Upgrading filesystem cache..." => "Failisüsteemi puhvri uuendamine..." diff --git a/apps/files/l10n/eu.php b/apps/files/l10n/eu.php index c87e20b1ff..96bfb2d1cc 100644 --- a/apps/files/l10n/eu.php +++ b/apps/files/l10n/eu.php @@ -1,6 +1,8 @@ "Ezin da %s mugitu - Izen hau duen fitxategia dagoeneko existitzen da", "Could not move %s" => "Ezin dira fitxategiak mugitu %s", +"Unable to set upload directory." => "Ezin da igoera direktorioa ezarri.", +"Invalid Token" => "Lekuko baliogabea", "No file was uploaded. Unknown error" => "Ez da fitxategirik igo. Errore ezezaguna", "There is no error, the file uploaded with success" => "Ez da errorerik egon, fitxategia ongi igo da", "The uploaded file exceeds the upload_max_filesize directive in php.ini: " => "Igotako fitxategiak php.ini fitxategian ezarritako upload_max_filesize muga gainditu du:", @@ -17,6 +19,7 @@ "Upload cancelled." => "Igoera ezeztatuta", "File upload is in progress. Leaving the page now will cancel the upload." => "Fitxategien igoera martxan da. Orria orain uzteak igoera ezeztatutko du.", "URL cannot be empty." => "URLa ezin da hutsik egon.", +"Invalid folder name. Usage of 'Shared' is reserved by ownCloud" => "Karpeta izne baliogabea. \"Shared\" karpeta erabilpena OwnCloudentzat erreserbaturik dago.", "Error" => "Errorea", "Share" => "Elkarbanatu", "Delete permanently" => "Ezabatu betirako", @@ -46,6 +49,7 @@ "{count} folders" => "{count} karpeta", "1 file" => "fitxategi bat", "{count} files" => "{count} fitxategi", +"%s could not be renamed" => "%s ezin da berrizendatu", "Upload" => "Igo", "File handling" => "Fitxategien kudeaketa", "Maximum upload size" => "Igo daitekeen gehienezko tamaina", @@ -69,6 +73,8 @@ "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.", "Files are being scanned, please wait." => "Fitxategiak eskaneatzen ari da, itxoin mezedez.", "Current scanning" => "Orain eskaneatzen ari da", +"directory" => "direktorioa", +"directories" => "direktorioak", "file" => "fitxategia", "files" => "fitxategiak", "Upgrading filesystem cache..." => "Fitxategi sistemaren katxea eguneratzen..." diff --git a/apps/files/l10n/fa.php b/apps/files/l10n/fa.php index 94ac167837..73f4b493b4 100644 --- a/apps/files/l10n/fa.php +++ b/apps/files/l10n/fa.php @@ -1,6 +1,8 @@ "%s نمی تواند حرکت کند - در حال حاضر پرونده با این نام وجود دارد. ", "Could not move %s" => "%s نمی تواند حرکت کند ", +"Unable to set upload directory." => "قادر به تنظیم پوشه آپلود نمی باشد.", +"Invalid Token" => "رمز نامعتبر", "No file was uploaded. Unknown error" => "هیچ فایلی آپلود نشد.خطای ناشناس", "There is no error, the file uploaded with success" => "هیچ خطایی نیست بارگذاری پرونده موفقیت آمیز بود", "The uploaded file exceeds the upload_max_filesize directive in php.ini: " => "پرونده آپلود شده بیش ازدستور ماکزیمم_حجم فایل_برای آپلود در php.ini استفاده کرده است.", @@ -17,6 +19,7 @@ "Upload cancelled." => "بار گذاری لغو شد", "File upload is in progress. Leaving the page now will cancel the upload." => "آپلودکردن پرونده در حال پیشرفت است. در صورت خروج از صفحه آپلود لغو میگردد. ", "URL cannot be empty." => "URL نمی تواند خالی باشد.", +"Invalid folder name. Usage of 'Shared' is reserved by ownCloud" => "نام پوشه نامعتبر است. استفاده از 'به اشتراک گذاشته شده' متعلق به ownCloud میباشد.", "Error" => "خطا", "Share" => "اشتراک‌گذاری", "Delete permanently" => "حذف قطعی", @@ -46,6 +49,7 @@ "{count} folders" => "{ شمار} پوشه ها", "1 file" => "1 پرونده", "{count} files" => "{ شمار } فایل ها", +"%s could not be renamed" => "%s نمیتواند تغییر نام دهد.", "Upload" => "بارگزاری", "File handling" => "اداره پرونده ها", "Maximum upload size" => "حداکثر اندازه بارگزاری", @@ -69,6 +73,8 @@ "The files you are trying to upload exceed the maximum size for file uploads on this server." => "فایلها بیش از حد تعیین شده در این سرور هستند\nمترجم:با تغییر فایل php,ini میتوان این محدودیت را برطرف کرد", "Files are being scanned, please wait." => "پرونده ها در حال بازرسی هستند لطفا صبر کنید", "Current scanning" => "بازرسی کنونی", +"directory" => "پوشه", +"directories" => "پوشه ها", "file" => "پرونده", "files" => "پرونده ها", "Upgrading filesystem cache..." => "بهبود فایل سیستمی ذخیره گاه..." diff --git a/apps/files/l10n/fi_FI.php b/apps/files/l10n/fi_FI.php index 22e448c01d..40df7b1546 100644 --- a/apps/files/l10n/fi_FI.php +++ b/apps/files/l10n/fi_FI.php @@ -65,6 +65,8 @@ "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.", "Files are being scanned, please wait." => "Tiedostoja tarkistetaan, odota hetki.", "Current scanning" => "Tämänhetkinen tutkinta", +"directory" => "kansio", +"directories" => "kansiota", "file" => "tiedosto", "files" => "tiedostoa", "Upgrading filesystem cache..." => "Päivitetään tiedostojärjestelmän välimuistia..." diff --git a/apps/files/l10n/fr.php b/apps/files/l10n/fr.php index 646373d4aa..b293f85ed4 100644 --- a/apps/files/l10n/fr.php +++ b/apps/files/l10n/fr.php @@ -73,6 +73,8 @@ "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.", "Files are being scanned, please wait." => "Les fichiers sont en cours d'analyse, veuillez patienter.", "Current scanning" => "Analyse en cours", +"directory" => "dossier", +"directories" => "dossiers", "file" => "fichier", "files" => "fichiers", "Upgrading filesystem cache..." => "Mise à niveau du cache du système de fichier" diff --git a/apps/files/l10n/gl.php b/apps/files/l10n/gl.php index 106f6d6ff0..bba6335ae0 100644 --- a/apps/files/l10n/gl.php +++ b/apps/files/l10n/gl.php @@ -1,6 +1,8 @@ "Non se moveu %s - Xa existe un ficheiro con ese nome.", "Could not move %s" => "Non foi posíbel mover %s", +"Unable to set upload directory." => "Non é posíbel configurar o directorio de envíos.", +"Invalid Token" => "Marca incorrecta", "No file was uploaded. Unknown error" => "Non se enviou ningún ficheiro. Produciuse un erro descoñecido.", "There is no error, the file uploaded with success" => "Non houbo erros, o ficheiro enviouse correctamente", "The uploaded file exceeds the upload_max_filesize directive in php.ini: " => "O ficheiro enviado excede a directiva indicada por upload_max_filesize de php.ini:", @@ -47,6 +49,7 @@ "{count} folders" => "{count} cartafoles", "1 file" => "1 ficheiro", "{count} files" => "{count} ficheiros", +"%s could not be renamed" => "%s non pode cambiar de nome", "Upload" => "Enviar", "File handling" => "Manexo de ficheiro", "Maximum upload size" => "Tamaño máximo do envío", @@ -70,6 +73,8 @@ "The files you are trying to upload exceed the maximum size for file uploads on this server." => "Os ficheiros que tenta enviar exceden do tamaño máximo permitido neste servidor", "Files are being scanned, please wait." => "Estanse analizando os ficheiros. Agarde.", "Current scanning" => "Análise actual", +"directory" => "directorio", +"directories" => "directorios", "file" => "ficheiro", "files" => "ficheiros", "Upgrading filesystem cache..." => "Anovando a caché do sistema de ficheiros..." diff --git a/apps/files/l10n/hi.php b/apps/files/l10n/hi.php index df57abe28b..151d1f497c 100644 --- a/apps/files/l10n/hi.php +++ b/apps/files/l10n/hi.php @@ -1,4 +1,5 @@ "त्रुटि", "Share" => "साझा करें", "Save" => "सहेजें" ); diff --git a/apps/files/l10n/hu_HU.php b/apps/files/l10n/hu_HU.php index f0e5b1befc..b083351695 100644 --- a/apps/files/l10n/hu_HU.php +++ b/apps/files/l10n/hu_HU.php @@ -1,6 +1,8 @@ "%s áthelyezése nem sikerült - már létezik másik fájl ezzel a névvel", "Could not move %s" => "Nem sikerült %s áthelyezése", +"Unable to set upload directory." => "Nem található a mappa, ahova feltölteni szeretne.", +"Invalid Token" => "Hibás mappacím", "No file was uploaded. Unknown error" => "Nem történt feltöltés. Ismeretlen hiba", "There is no error, the file uploaded with success" => "A fájlt sikerült feltölteni", "The uploaded file exceeds the upload_max_filesize directive in php.ini: " => "A feltöltött fájl mérete meghaladja a php.ini állományban megadott upload_max_filesize paraméter értékét.", @@ -47,6 +49,7 @@ "{count} folders" => "{count} mappa", "1 file" => "1 fájl", "{count} files" => "{count} fájl", +"%s could not be renamed" => "%s átnevezése nem sikerült", "Upload" => "Feltöltés", "File handling" => "Fájlkezelés", "Maximum upload size" => "Maximális feltölthető fájlméret", @@ -70,6 +73,8 @@ "The files you are trying to upload exceed the maximum size for file uploads on this server." => "A feltöltendő állományok mérete meghaladja a kiszolgálón megengedett maximális méretet.", "Files are being scanned, please wait." => "A fájllista ellenőrzése zajlik, kis türelmet!", "Current scanning" => "Ellenőrzés alatt", +"directory" => "mappa", +"directories" => "mappa", "file" => "fájl", "files" => "fájlok", "Upgrading filesystem cache..." => "A fájlrendszer gyorsítótárának frissítése zajlik..." diff --git a/apps/files/l10n/ja_JP.php b/apps/files/l10n/ja_JP.php index d91d509283..e4be3133fb 100644 --- a/apps/files/l10n/ja_JP.php +++ b/apps/files/l10n/ja_JP.php @@ -73,6 +73,8 @@ "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" => "スキャン中", +"directory" => "ディレクトリ", +"directories" => "ディレクトリ", "file" => "ファイル", "files" => "ファイル", "Upgrading filesystem cache..." => "ファイルシステムキャッシュを更新中..." diff --git a/apps/files/l10n/nb_NO.php b/apps/files/l10n/nb_NO.php index 769dfe33ff..d4080a1796 100644 --- a/apps/files/l10n/nb_NO.php +++ b/apps/files/l10n/nb_NO.php @@ -1,6 +1,7 @@ "Kan ikke flytte %s - En fil med samme navn finnes allerede", "Could not move %s" => "Kunne ikke flytte %s", +"Unable to set upload directory." => "Kunne ikke sette opplastingskatalog.", "No file was uploaded. Unknown error" => "Ingen filer ble lastet opp. Ukjent feil.", "There is no error, the file uploaded with success" => "Pust ut, ingen feil. Filen ble lastet opp problemfritt", "The uploaded file exceeds the upload_max_filesize directive in php.ini: " => "Filstørrelsen overskrider maksgrensedirektivet upload_max_filesize i php.ini-konfigurasjonen.", @@ -70,6 +71,8 @@ "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.", "Files are being scanned, please wait." => "Skanner etter filer, vennligst vent.", "Current scanning" => "Pågående skanning", +"directory" => "katalog", +"directories" => "kataloger", "file" => "fil", "files" => "filer", "Upgrading filesystem cache..." => "Oppgraderer filsystemets mellomlager..." diff --git a/apps/files/l10n/nl.php b/apps/files/l10n/nl.php index 914d5087af..0d906cb138 100644 --- a/apps/files/l10n/nl.php +++ b/apps/files/l10n/nl.php @@ -49,6 +49,7 @@ "{count} folders" => "{count} mappen", "1 file" => "1 bestand", "{count} files" => "{count} bestanden", +"%s could not be renamed" => "%s kon niet worden hernoemd", "Upload" => "Uploaden", "File handling" => "Bestand", "Maximum upload size" => "Maximale bestandsgrootte voor uploads", @@ -72,6 +73,8 @@ "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.", "Files are being scanned, please wait." => "Bestanden worden gescand, even wachten.", "Current scanning" => "Er wordt gescand", +"directory" => "directory", +"directories" => "directories", "file" => "bestand", "files" => "bestanden", "Upgrading filesystem cache..." => "Upgraden bestandssysteem cache..." diff --git a/apps/files/l10n/pt_PT.php b/apps/files/l10n/pt_PT.php index 4273de9c47..8aeb30efbf 100644 --- a/apps/files/l10n/pt_PT.php +++ b/apps/files/l10n/pt_PT.php @@ -1,6 +1,8 @@ "Não foi possível mover o ficheiro %s - Já existe um ficheiro com esse nome", "Could not move %s" => "Não foi possível move o ficheiro %s", +"Unable to set upload directory." => "Não foi possível criar o diretório de upload", +"Invalid Token" => "Token inválido", "No file was uploaded. Unknown error" => "Nenhum ficheiro foi carregado. Erro desconhecido", "There is no error, the file uploaded with success" => "Não ocorreram erros, o ficheiro foi submetido com sucesso", "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", @@ -47,6 +49,7 @@ "{count} folders" => "{count} pastas", "1 file" => "1 ficheiro", "{count} files" => "{count} ficheiros", +"%s could not be renamed" => "%s não pode ser renomeada", "Upload" => "Carregar", "File handling" => "Manuseamento de ficheiros", "Maximum upload size" => "Tamanho máximo de envio", @@ -70,6 +73,8 @@ "The files you are trying to upload exceed the maximum size for file uploads on this server." => "Os ficheiro que está a tentar enviar excedem o tamanho máximo de envio neste servidor.", "Files are being scanned, please wait." => "Os ficheiros estão a ser analisados, por favor aguarde.", "Current scanning" => "Análise actual", +"directory" => "diretório", +"directories" => "diretórios", "file" => "ficheiro", "files" => "ficheiros", "Upgrading filesystem cache..." => "Atualizar cache do sistema de ficheiros..." diff --git a/apps/files/l10n/ro.php b/apps/files/l10n/ro.php index b12f9d1059..b0cca7d7a8 100644 --- a/apps/files/l10n/ro.php +++ b/apps/files/l10n/ro.php @@ -1,6 +1,8 @@ "Nu se poate de mutat %s - Fișier cu acest nume deja există", +"Could not move %s - File with this name already exists" => "%s nu se poate muta - Fișierul cu acest nume există deja ", "Could not move %s" => "Nu s-a putut muta %s", +"Unable to set upload directory." => "Imposibil de a seta directorul pentru incărcare.", +"Invalid Token" => "Jeton Invalid", "No file was uploaded. Unknown error" => "Nici un fișier nu a fost încărcat. Eroare necunoscută", "There is no error, the file uploaded with success" => "Nu a apărut nici o eroare, fișierul a fost încărcat cu succes", "The uploaded file exceeds the upload_max_filesize directive in php.ini: " => "Fisierul incarcat depaseste upload_max_filesize permisi in php.ini: ", @@ -47,6 +49,7 @@ "{count} folders" => "{count} foldare", "1 file" => "1 fisier", "{count} files" => "{count} fisiere", +"%s could not be renamed" => "%s nu a putut fi redenumit", "Upload" => "Încărcare", "File handling" => "Manipulare fișiere", "Maximum upload size" => "Dimensiune maximă admisă la încărcare", @@ -70,6 +73,8 @@ "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.", "Files are being scanned, please wait." => "Fișierele sunt scanate, te rog așteptă.", "Current scanning" => "În curs de scanare", +"directory" => "catalog", +"directories" => "cataloage", "file" => "fișier", "files" => "fișiere", "Upgrading filesystem cache..." => "Modernizare fisiere de sistem cache.." diff --git a/apps/files/l10n/ru.php b/apps/files/l10n/ru.php index 2db90413f2..71742cb4d5 100644 --- a/apps/files/l10n/ru.php +++ b/apps/files/l10n/ru.php @@ -1,6 +1,8 @@ "Невозможно переместить %s - файл с таким именем уже существует", "Could not move %s" => "Невозможно переместить %s", +"Unable to set upload directory." => "Не удалось установить каталог загрузки.", +"Invalid Token" => "Недопустимый маркер", "No file was uploaded. Unknown error" => "Файл не был загружен. Неизвестная ошибка", "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:", @@ -30,7 +32,7 @@ "cancel" => "отмена", "replaced {new_name} with {old_name}" => "заменено {new_name} на {old_name}", "undo" => "отмена", -"perform delete operation" => "выполняется операция удаления", +"perform delete operation" => "выполнить операцию удаления", "1 file uploading" => "загружается 1 файл", "files uploading" => "файлы загружаются", "'.' is an invalid file name." => "'.' - неправильное имя файла.", @@ -47,6 +49,7 @@ "{count} folders" => "{count} папок", "1 file" => "1 файл", "{count} files" => "{count} файлов", +"%s could not be renamed" => "%s не может быть переименован", "Upload" => "Загрузка", "File handling" => "Управление файлами", "Maximum upload size" => "Максимальный размер загружаемого файла", @@ -70,6 +73,8 @@ "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" => "Текущее сканирование", +"directory" => "директория", +"directories" => "директории", "file" => "файл", "files" => "файлы", "Upgrading filesystem cache..." => "Обновление кэша файловой системы..." diff --git a/apps/files/l10n/sk_SK.php b/apps/files/l10n/sk_SK.php index b8382c7b0b..ac71f30e90 100644 --- a/apps/files/l10n/sk_SK.php +++ b/apps/files/l10n/sk_SK.php @@ -1,6 +1,8 @@ "Nie je možné presunúť %s - súbor s týmto menom už existuje", "Could not move %s" => "Nie je možné presunúť %s", +"Unable to set upload directory." => "Nemožno nastaviť priečinok pre nahrané súbory.", +"Invalid Token" => "Neplatný token", "No file was uploaded. Unknown error" => "Žiaden súbor nebol odoslaný. Neznáma chyba", "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 predčil konfiguračnú direktívu upload_max_filesize v súbore php.ini:", @@ -10,13 +12,13 @@ "Missing a temporary folder" => "Chýba dočasný priečinok", "Failed to write to disk" => "Zápis na disk sa nepodaril", "Not enough storage available" => "Nedostatok dostupného úložného priestoru", -"Invalid directory." => "Neplatný priečinok", +"Invalid directory." => "Neplatný priečinok.", "Files" => "Súbory", "Unable to upload your file as it is a directory or has 0 bytes" => "Nedá sa odoslať Váš súbor, pretože je to priečinok, alebo je jeho veľkosť 0 bajtov", "Not enough space available" => "Nie je k dispozícii dostatok miesta", -"Upload cancelled." => "Odosielanie zrušené", +"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.", -"URL cannot be empty." => "URL nemôže byť prázdne", +"URL cannot be empty." => "URL nemôže byť prázdne.", "Invalid folder name. Usage of 'Shared' is reserved by ownCloud" => "Neplatný názov priečinka. Názov \"Shared\" je rezervovaný pre ownCloud", "Error" => "Chyba", "Share" => "Zdieľať", @@ -47,6 +49,7 @@ "{count} folders" => "{count} priečinkov", "1 file" => "1 súbor", "{count} files" => "{count} súborov", +"%s could not be renamed" => "%s nemohol byť premenovaný", "Upload" => "Odoslať", "File handling" => "Nastavenie správania sa k súborom", "Maximum upload size" => "Maximálna veľkosť odosielaného súboru", @@ -70,6 +73,8 @@ "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.", "Files are being scanned, please wait." => "Čakajte, súbory sú prehľadávané.", "Current scanning" => "Práve prezerané", +"directory" => "priečinok", +"directories" => "priečinky", "file" => "súbor", "files" => "súbory", "Upgrading filesystem cache..." => "Aktualizujem medzipamäť súborového systému..." diff --git a/apps/files/l10n/sl.php b/apps/files/l10n/sl.php index 4516be1508..bb01e5475d 100644 --- a/apps/files/l10n/sl.php +++ b/apps/files/l10n/sl.php @@ -1,5 +1,5 @@ "Ni mogoče premakniti %s - datoteka s tem imenom že obstaja", +"Could not move %s - File with this name already exists" => "%s ni mogoče premakniti - datoteka s tem imenom že obstaja", "Could not move %s" => "Ni mogoče premakniti %s", "Unable to set upload directory." => "Mapo, v katero boste prenašali dokumente, ni mogoče določiti", "Invalid Token" => "Neveljaven žeton", @@ -49,6 +49,7 @@ "{count} folders" => "{count} map", "1 file" => "1 datoteka", "{count} files" => "{count} datotek", +"%s could not be renamed" => "%s ni bilo mogoče preimenovati", "Upload" => "Pošlji", "File handling" => "Upravljanje z datotekami", "Maximum upload size" => "Največja velikost za pošiljanja", @@ -72,6 +73,8 @@ "The files you are trying to upload exceed the maximum size for file uploads on this server." => "Datoteke, ki jih želite poslati, presegajo največjo dovoljeno velikost na strežniku.", "Files are being scanned, please wait." => "Poteka preučevanje datotek, počakajte ...", "Current scanning" => "Trenutno poteka preučevanje", +"directory" => "direktorij", +"directories" => "direktoriji", "file" => "datoteka", "files" => "datoteke", "Upgrading filesystem cache..." => "Nadgrajevanje predpomnilnika datotečnega sistema ..." diff --git a/apps/files/l10n/tr.php b/apps/files/l10n/tr.php index 0b2dbb12dd..6b479b580e 100644 --- a/apps/files/l10n/tr.php +++ b/apps/files/l10n/tr.php @@ -1,6 +1,8 @@ "%s taşınamadı. Bu isimde dosya zaten var.", "Could not move %s" => "%s taşınamadı", +"Unable to set upload directory." => "Yükleme dizini tanımlanamadı.", +"Invalid Token" => "Geçeriz simge", "No file was uploaded. Unknown error" => "Dosya yüklenmedi. Bilinmeyen hata", "There is no error, the file uploaded with success" => "Dosya başarıyla yüklendi, hata oluşmadı", "The uploaded file exceeds the upload_max_filesize directive in php.ini: " => "php.ini dosyasında upload_max_filesize ile belirtilen dosya yükleme sınırı aşıldı.", @@ -47,6 +49,7 @@ "{count} folders" => "{count} dizin", "1 file" => "1 dosya", "{count} files" => "{count} dosya", +"%s could not be renamed" => "%s yeniden adlandırılamadı", "Upload" => "Yükle", "File handling" => "Dosya taşıma", "Maximum upload size" => "Maksimum yükleme boyutu", @@ -70,6 +73,8 @@ "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.", "Files are being scanned, please wait." => "Dosyalar taranıyor, lütfen bekleyin.", "Current scanning" => "Güncel tarama", +"directory" => "dizin", +"directories" => "dizinler", "file" => "dosya", "files" => "dosyalar", "Upgrading filesystem cache..." => "Sistem dosyası önbelleği güncelleniyor" diff --git a/apps/files/l10n/zh_CN.GB2312.php b/apps/files/l10n/zh_CN.GB2312.php index 4108516cda..469211ca7f 100644 --- a/apps/files/l10n/zh_CN.GB2312.php +++ b/apps/files/l10n/zh_CN.GB2312.php @@ -1,18 +1,28 @@ "无法移动 %s - 存在同名文件", +"Could not move %s" => "无法移动 %s", +"Unable to set upload directory." => "无法设置上传文件夹", +"Invalid Token" => "非法Token", "No file was uploaded. Unknown error" => "没有上传文件。未知错误", "There is no error, the file uploaded with success" => "文件上传成功", +"The uploaded file exceeds the upload_max_filesize directive in php.ini: " => "上传的文件超过了php.ini指定的upload_max_filesize", "The uploaded file exceeds the MAX_FILE_SIZE directive that was specified in the HTML form" => "上传的文件超过了 HTML 表格中指定的 MAX_FILE_SIZE 选项", "The uploaded file was only partially uploaded" => "文件部分上传", "No file was uploaded" => "没有上传文件", "Missing a temporary folder" => "缺失临时文件夹", "Failed to write to disk" => "写磁盘失败", +"Not enough storage available" => "容量不足", +"Invalid directory." => "无效文件夹", "Files" => "文件", "Unable to upload your file as it is a directory or has 0 bytes" => "不能上传您的文件,由于它是文件夹或者为空文件", +"Not enough space available" => "容量不足", "Upload cancelled." => "上传取消了", "File upload is in progress. Leaving the page now will cancel the upload." => "文件正在上传。关闭页面会取消上传。", "URL cannot be empty." => "网址不能为空。", +"Invalid folder name. Usage of 'Shared' is reserved by ownCloud" => "无效文件夹名。“Shared”已经被系统保留。", "Error" => "出错", "Share" => "分享", +"Delete permanently" => "永久删除", "Delete" => "删除", "Rename" => "重命名", "Pending" => "等待中", @@ -22,8 +32,16 @@ "cancel" => "取消", "replaced {new_name} with {old_name}" => "已用 {old_name} 替换 {new_name}", "undo" => "撤销", +"perform delete operation" => "执行删除", "1 file uploading" => "1 个文件正在上传", "files uploading" => "个文件正在上传", +"'.' is an invalid file name." => "'.' 文件名不正确", +"File name cannot be empty." => "文件名不能为空", +"Invalid name, '\\', '/', '<', '>', ':', '\"', '|', '?' and '*' are not allowed." => "文件名内不能包含以下符号:\\ / < > : \" | ?和 *", +"Your storage is full, files can not be updated or synced anymore!" => "容量已满,不能再同步/上传文件了!", +"Your storage is almost full ({usedSpacePercent}%)" => "你的空间快用满了 ({usedSpacePercent}%)", +"Your download is being prepared. This might take some time if the files are big." => "正在下载,可能会花点时间,跟文件大小有关", +"Invalid folder name. Usage of 'Shared' is reserved by Owncloud" => "不正确文件夹名。Shared是保留名,不能使用。", "Name" => "名称", "Size" => "大小", "Modified" => "修改日期", @@ -31,6 +49,7 @@ "{count} folders" => "{count} 个文件夹", "1 file" => "1 个文件", "{count} files" => "{count} 个文件", +"%s could not be renamed" => "不能重命名 %s", "Upload" => "上传", "File handling" => "文件处理中", "Maximum upload size" => "最大上传大小", @@ -44,7 +63,9 @@ "Text file" => "文本文档", "Folder" => "文件夹", "From link" => "来自链接", +"Deleted files" => "已删除的文件", "Cancel upload" => "取消上传", +"You don’t have write permissions here." => "您没有写入权限。", "Nothing in here. Upload something!" => "这里没有东西.上传点什么!", "Download" => "下载", "Unshare" => "取消分享", @@ -52,6 +73,9 @@ "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" => "正在扫描", +"directory" => "文件夹", +"directories" => "文件夹", "file" => "文件", -"files" => "文件" +"files" => "文件", +"Upgrading filesystem cache..." => "升级系统缓存..." ); diff --git a/apps/files/l10n/zh_TW.php b/apps/files/l10n/zh_TW.php index 59a332f628..63d2bd9236 100644 --- a/apps/files/l10n/zh_TW.php +++ b/apps/files/l10n/zh_TW.php @@ -1,6 +1,8 @@ "無法移動 %s - 同名的檔案已經存在", "Could not move %s" => "無法移動 %s", +"Unable to set upload directory." => "無法設定上傳目錄。", +"Invalid Token" => "無效的 token", "No file was uploaded. Unknown error" => "沒有檔案被上傳。未知的錯誤。", "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 參數的設定:", @@ -47,6 +49,7 @@ "{count} folders" => "{count} 個資料夾", "1 file" => "1 個檔案", "{count} files" => "{count} 個檔案", +"%s could not be renamed" => "無法重新命名 %s", "Upload" => "上傳", "File handling" => "檔案處理", "Maximum upload size" => "最大上傳檔案大小", @@ -70,5 +73,9 @@ "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" => "目前掃描", +"directory" => "目錄", +"directories" => "目錄", +"file" => "檔案", +"files" => "檔案", "Upgrading filesystem cache..." => "正在升級檔案系統快取..." ); diff --git a/apps/files/templates/index.php b/apps/files/templates/index.php index b9119f2cb6..e073160936 100644 --- a/apps/files/templates/index.php +++ b/apps/files/templates/index.php @@ -61,7 +61,7 @@
t('Nothing in here. Upload something!'))?>
- +
- + diff --git a/apps/files_encryption/appinfo/info.xml b/apps/files_encryption/appinfo/info.xml index 1e97b1b221..46f1375c98 100644 --- a/apps/files_encryption/appinfo/info.xml +++ b/apps/files_encryption/appinfo/info.xml @@ -2,7 +2,7 @@ files_encryption Encryption - WARNING: This is a preview release of the new ownCloud 5 encryption system. Testing and feedback is very welcome but don't use this in production yet. After the app was enabled you need to re-login to initialize your encryption keys + The new ownCloud 5 files encryption system. After the app was enabled you need to re-login to initialize your encryption keys. AGPL Sam Tuke, Bjoern Schiessle, Florin Peter 4 diff --git a/apps/files_encryption/l10n/ca.php b/apps/files_encryption/l10n/ca.php index 3c0b39bab6..d9d3d7b4fa 100644 --- a/apps/files_encryption/l10n/ca.php +++ b/apps/files_encryption/l10n/ca.php @@ -7,6 +7,9 @@ "Could not change the password. Maybe the old password was not correct." => "No s'ha pogut canviar la contrasenya. Potser la contrasenya anterior no era correcta.", "Private key password successfully updated." => "La contrasenya de la clau privada s'ha actualitzat.", "Could not update the private key password. Maybe the old password was not correct." => "No s'ha pogut actualitzar la contrasenya de la clau privada. Potser la contrasenya anterior no era correcta.", +"Your private key is not valid! Likely your password was changed outside the ownCloud system (e.g. your corporate directory). You can update your private key password in your personal settings to recover access to your encrypted files." => "La clau privada no és vàlida! Probablement la contrasenya va ser canviada des de fora del sistema ownCloud (per exemple, en el directori de l'empresa). Vostè pot actualitzar la contrasenya de clau privada en la seva configuració personal per poder recuperar l'accés en els arxius xifrats.", +"Missing requirements." => "Manca de requisits.", +"Please make sure that PHP 5.3.3 or newer is installed and that the OpenSSL PHP extension is enabled and configured properly. For now, the encryption app has been disabled." => "Assegureu-vos que teniu instal·lada la versió de PHP 5.3.3 o posterior, i que teniu l'extensió OpenSSL PHP activada i configurada correctament. Per ara, l'aplicació de xifrat esta desactivada.", "Saving..." => "Desant...", "Your private key is not valid! Maybe the your password was changed from outside." => "La vostra clau privada no és vàlida! Potser la vostra contrasenya ha canviat des de fora.", "You can unlock your private key in your " => "Podeu desbloquejar la clau privada en el vostre", diff --git a/apps/files_encryption/l10n/cs_CZ.php b/apps/files_encryption/l10n/cs_CZ.php index a402b96a51..981e629ccf 100644 --- a/apps/files_encryption/l10n/cs_CZ.php +++ b/apps/files_encryption/l10n/cs_CZ.php @@ -8,10 +8,13 @@ "Private key password successfully updated." => "Heslo soukromého klíče úspěšně aktualizováno.", "Could not update the private key password. Maybe the old password was not correct." => "Nelze aktualizovat heslo soukromého klíče. Možná nebylo staré heslo správně.", "Saving..." => "Ukládám...", +"personal settings" => "osobní nastavení", "Encryption" => "Šifrování", "Enabled" => "Povoleno", "Disabled" => "Zakázáno", "Change Password" => "Změnit heslo", +"Old log-in password" => "Staré přihlašovací heslo", +"Current log-in password" => "Aktuální přihlašovací heslo", "Enable password recovery:" => "Povolit obnovu hesla:", "Enabling this option will allow you to reobtain access to your encrypted files in case of password loss" => "Povolení vám umožní znovu získat přístup k vašim zašifrovaným souborům pokud ztratíte heslo", "File recovery settings updated" => "Možnosti obnovy souborů aktualizovány", diff --git a/apps/files_encryption/l10n/de.php b/apps/files_encryption/l10n/de.php index ed9b8d6c16..d8265906db 100644 --- a/apps/files_encryption/l10n/de.php +++ b/apps/files_encryption/l10n/de.php @@ -6,13 +6,31 @@ "Password successfully changed." => "Dein Passwort wurde geändert.", "Could not change the password. Maybe the old password was not correct." => "Das Passwort konnte nicht geändert werden. Vielleicht war das alte Passwort falsch.", "Private key password successfully updated." => "Passwort des privaten Schlüssels erfolgreich aktualisiert", +"Could not update the private key password. Maybe the old password was not correct." => "Das Passwort des privaten Schlüssels konnte nicht aktualisiert werden. Eventuell war das alte Passwort falsch.", +"Your private key is not valid! Likely your password was changed outside the ownCloud system (e.g. your corporate directory). You can update your private key password in your personal settings to recover access to your encrypted files." => "Dein privater Schlüssel ist ungültig. Möglicher Weise wurde von außerhalb Dein Passwort geändert (z.B. in deinem gemeinsamen Verzeichnis). Du kannst das Passwort deines privaten Schlüssels in den persönlichen Einstellungen aktualisieren, um wieder an deine Dateien zu gelangen.", +"Missing requirements." => "Fehlende Vorraussetzungen", +"Please make sure that PHP 5.3.3 or newer is installed and that the OpenSSL PHP extension is enabled and configured properly. For now, the encryption app has been disabled." => "Bitte stellen Sie sicher, dass PHP 5.3.3 oder neuer installiert ist und die OpenSSL-PHP-Erweiterung aktiviert und richtig konfiguriert ist. Die Verschlüsselungsanwendung wurde vorerst deaktiviert.", "Saving..." => "Speichern...", +"Your private key is not valid! Maybe the your password was changed from outside." => "Ihr privater Schlüssel ist ungültig! Eventuell wurde Ihr Passwort von außerhalb geändert.", +"You can unlock your private key in your " => "Du kannst den privaten Schlüssel ändern und zwar in deinem", "personal settings" => "Private Einstellungen", "Encryption" => "Verschlüsselung", +"Enable recovery key (allow to recover users files in case of password loss):" => "Wiederherstellungsschlüssel aktivieren (ermöglicht das Wiederherstellen von Dateien, falls das Passwort vergessen wurde):", +"Recovery key password" => "Wiederherstellungsschlüssel-Passwort", "Enabled" => "Aktiviert", "Disabled" => "Deaktiviert", +"Change recovery key password:" => "Wiederherstellungsschlüssel-Passwort ändern:", +"Old Recovery key password" => "Altes Wiederherstellungsschlüssel-Passwort", +"New Recovery key password" => "Neues Wiederherstellungsschlüssel-Passwort", "Change Password" => "Passwort ändern", +"Your private key password no longer match your log-in password:" => "Ihr Passwort für ihren privaten Schlüssel stimmt nicht mehr mit ihrem Loginpasswort überein.", +"Set your old private key password to your current log-in password." => "Setzen Sie ihr altes Passwort für ihren privaten Schlüssel auf ihr aktuelles Login-Passwort", +" If you don't remember your old password you can ask your administrator to recover your files." => "Wenn Sie Ihr altes Passwort vergessen haben, können Sie den Administrator bitten, Ihre Daten wiederherzustellen.", "Old log-in password" => "Altes login Passwort", "Current log-in password" => "Aktuelles Passwort", -"File recovery settings updated" => "Einstellungen zur Wiederherstellung von Dateien wurden aktualisiert" +"Update Private Key Password" => "Passwort für den privaten Schlüssel aktualisieren", +"Enable password recovery:" => "Passwortwiederherstellung aktivvieren:", +"Enabling this option will allow you to reobtain access to your encrypted files in case of password loss" => "Wenn Sie diese Option aktivieren, können Sie Ihre verschlüsselten Dateien wiederherstellen, falls Sie Ihr Passwort vergessen", +"File recovery settings updated" => "Einstellungen zur Wiederherstellung von Dateien wurden aktualisiert", +"Could not update file recovery" => "Dateiwiederherstellung konnte nicht aktualisiert werden" ); diff --git a/apps/files_encryption/l10n/de_DE.php b/apps/files_encryption/l10n/de_DE.php index 5e4dcb5b1f..79bde7e262 100644 --- a/apps/files_encryption/l10n/de_DE.php +++ b/apps/files_encryption/l10n/de_DE.php @@ -7,8 +7,12 @@ "Could not change the password. Maybe the old password was not correct." => "Das Passwort konnte nicht geändert werden. Vielleicht war das alte Passwort nicht richtig.", "Private key password successfully updated." => "Das Passwort des privaten Schlüssels wurde erfolgreich aktualisiert.", "Could not update the private key password. Maybe the old password was not correct." => "Das Passwort des privaten Schlüssels konnte nicht aktualisiert werden. Vielleicht war das alte Passwort nicht richtig.", +"Your private key is not valid! Likely your password was changed outside the ownCloud system (e.g. your corporate directory). You can update your private key password in your personal settings to recover access to your encrypted files." => "Ihr privater Schlüssel ist ungültig. Möglicher Weise wurde von außerhalb Ihr Passwort geändert (z.B. in Ihrem gemeinsamen Verzeichnis). Sie können das Passwort Ihres privaten Schlüssels in den persönlichen Einstellungen aktualisieren, um wieder an Ihre Dateien zu gelangen.", +"Missing requirements." => "Fehlende Voraussetzungen", +"Please make sure that PHP 5.3.3 or newer is installed and that the OpenSSL PHP extension is enabled and configured properly. For now, the encryption app has been disabled." => "Bitte stellen Sie sicher, dass PHP 5.3.3 oder neuer installiert und die PHP-Erweiterung OpenSSL aktiviert und richtig konfiguriert ist. Zur Zeit ist die Verschlüsselungs-App deaktiviert.", "Saving..." => "Speichern...", "Your private key is not valid! Maybe the your password was changed from outside." => "Ihr privater Schlüssel ist ungültig! Vielleicht wurde Ihr Passwort von außerhalb geändert.", +"You can unlock your private key in your " => "Sie können den privaten Schlüssel ändern und zwar in Ihrem", "personal settings" => "Persönliche Einstellungen", "Encryption" => "Verschlüsselung", "Enable recovery key (allow to recover users files in case of password loss):" => "Aktivieren Sie den Wiederherstellungsschlüssel (erlaubt die Wiederherstellung des Zugangs zu den Benutzerdateien, wenn das Passwort verloren geht).", @@ -25,7 +29,7 @@ "Old log-in password" => "Altes Login-Passwort", "Current log-in password" => "Momentanes Login-Passwort", "Update Private Key Password" => "Das Passwort des privaten Schlüssels aktualisieren", -"Enable password recovery:" => "Passwort-Wiederherstellung aktivieren:", +"Enable password recovery:" => "Die Passwort-Wiederherstellung aktivieren:", "Enabling this option will allow you to reobtain access to your encrypted files in case of password loss" => "Durch die Aktivierung dieser Option haben Sie die Möglichkeit, wieder auf Ihre verschlüsselten Dateien zugreifen zu können, wenn Sie Ihr Passwort verloren haben.", "File recovery settings updated" => "Die Einstellungen für die Dateiwiederherstellung wurden aktualisiert.", "Could not update file recovery" => "Die Dateiwiederherstellung konnte nicht aktualisiert werden." diff --git a/apps/files_encryption/l10n/es.php b/apps/files_encryption/l10n/es.php index 42a79e4fd2..0b49edbd2a 100644 --- a/apps/files_encryption/l10n/es.php +++ b/apps/files_encryption/l10n/es.php @@ -7,7 +7,9 @@ "Could not change the password. Maybe the old password was not correct." => "No se pudo cambiar la contraseña. Compruebe que la contraseña actual sea correcta.", "Private key password successfully updated." => "Contraseña de clave privada actualizada con éxito.", "Could not update the private key password. Maybe the old password was not correct." => "No se pudo cambiar la contraseña. Puede que la contraseña antigua no sea correcta.", -"Your private key is not valid! Likely your password was changed outside the ownCloud system (e.g. your corporate directory). You can update your private key password in your personal settings to recover access to your encrypted files." => "¡Su clave privada no es válida! Tal vez su contraseña ha sido cambiada desde fuera. Puede actualizar la contraseña de su clave privada en sus opciones personales para recuperar el acceso a sus ficheros.", +"Your private key is not valid! Likely your password was changed outside the ownCloud system (e.g. your corporate directory). You can update your private key password in your personal settings to recover access to your encrypted files." => "¡Su clave privada no es válida! Tal vez su contraseña ha sido cambiada desde fuera. Puede actualizar su clave privada en sus opciones personales para recuperar el acceso a sus ficheros.", +"Missing requirements." => "Requisitos incompletos.", +"Please make sure that PHP 5.3.3 or newer is installed and that the OpenSSL PHP extension is enabled and configured properly. For now, the encryption app has been disabled." => "Por favor, asegúrese de que PHP 5.3.3 o posterior está instalado y que la extensión OpenSSL de PHP está habilitada y configurada correctamente. Por el momento, la aplicación de cifrado ha sido deshabilitada.", "Saving..." => "Guardando...", "Your private key is not valid! Maybe the your password was changed from outside." => "¡Su clave privada no es válida! Tal vez su contraseña ha sido cambiada desde fuera.", "You can unlock your private key in your " => "Puede desbloquear su clave privada en su", @@ -18,8 +20,8 @@ "Enabled" => "Habilitar", "Disabled" => "Deshabilitado", "Change recovery key password:" => "Cambiar la contraseña de la clave de recuperación", -"Old Recovery key password" => "Contraseña de la antigua clave de recuperación", -"New Recovery key password" => "Contraseña de la nueva clave de recuperación", +"Old Recovery key password" => "Antigua clave de recuperación", +"New Recovery key password" => "Nueva clave de recuperación", "Change Password" => "Cambiar contraseña", "Your private key password no longer match your log-in password:" => "Su contraseña de clave privada ya no coincide con su contraseña de acceso:", "Set your old private key password to your current log-in password." => "Establecer la contraseña de su antigua clave privada a su contraseña actual de acceso.", diff --git a/apps/files_encryption/l10n/es_AR.php b/apps/files_encryption/l10n/es_AR.php index b6f3fed8a6..f53bbd437c 100644 --- a/apps/files_encryption/l10n/es_AR.php +++ b/apps/files_encryption/l10n/es_AR.php @@ -6,13 +6,16 @@ "Password successfully changed." => "Tu contraseña fue cambiada", "Could not change the password. Maybe the old password was not correct." => "No se pudo cambiar la contraseña. Comprobá que la contraseña actual sea correcta.", "Private key password successfully updated." => "Contraseña de clave privada actualizada con éxito.", -"Could not update the private key password. Maybe the old password was not correct." => "No fue posible actualizar la contraseña de la clave privada. Tal vez la contraseña antigua no es correcta.", +"Could not update the private key password. Maybe the old password was not correct." => "No fue posible actualizar la contraseña de clave privada. Tal vez la contraseña anterior no es correcta.", +"Your private key is not valid! Likely your password was changed outside the ownCloud system (e.g. your corporate directory). You can update your private key password in your personal settings to recover access to your encrypted files." => "¡Tu clave privada no es válida! Tal vez tu contraseña fue cambiada desde fuera del sistema de ownCloud (por ej. desde tu cuenta de sistema). Podés actualizar tu clave privada en la sección de \"configuración personal\", para recuperar el acceso a tus archivos.", +"Missing requirements." => "Requisitos incompletos.", +"Please make sure that PHP 5.3.3 or newer is installed and that the OpenSSL PHP extension is enabled and configured properly. For now, the encryption app has been disabled." => "Por favor, asegurate que PHP 5.3.3 o posterior esté instalado y que la extensión OpenSSL de PHP esté habilitada y configurada correctamente. Por el momento, la aplicación de encriptación está deshabilitada.", "Saving..." => "Guardando...", "Your private key is not valid! Maybe the your password was changed from outside." => "¡Tu clave privada no es válida! Tal vez tu contraseña fue cambiada desde afuera.", "You can unlock your private key in your " => "Podés desbloquear tu clave privada en tu", "personal settings" => "Configuración personal", "Encryption" => "Encriptación", -"Enable recovery key (allow to recover users files in case of password loss):" => "Habilitar clave de recuperación (te permite recuperar los archivos de usuario en el caso en que pierdas la contraseña):", +"Enable recovery key (allow to recover users files in case of password loss):" => "Habilitar clave de recuperación (te permite recuperar los archivos de usuario en el caso que pierdas la contraseña):", "Recovery key password" => "Contraseña de recuperación de clave", "Enabled" => "Habilitado", "Disabled" => "Deshabilitado", @@ -20,14 +23,14 @@ "Old Recovery key password" => "Contraseña antigua de recuperación de clave", "New Recovery key password" => "Nueva contraseña de recuperación de clave", "Change Password" => "Cambiar contraseña", -"Your private key password no longer match your log-in password:" => "Tu contraseña de recuperación de clave ya no coincide con la contraseña de ingreso:", -"Set your old private key password to your current log-in password." => "Usá tu contraseña de recuperación de clave antigua para tu contraseña de ingreso actual.", +"Your private key password no longer match your log-in password:" => "Tu contraseña de clave privada ya no coincide con la contraseña de ingreso:", +"Set your old private key password to your current log-in password." => "Usá tu contraseña de clave privada antigua para tu contraseña de ingreso actual.", " If you don't remember your old password you can ask your administrator to recover your files." => "Si no te acordás de tu contraseña antigua, pedile al administrador que recupere tus archivos", "Old log-in password" => "Contraseña anterior", "Current log-in password" => "Contraseña actual", "Update Private Key Password" => "Actualizar contraseña de la clave privada", -"Enable password recovery:" => "Habilitar contraseña de recuperación:", -"Enabling this option will allow you to reobtain access to your encrypted files in case of password loss" => "Habilitando esta opción te va a permitir tener acceso a tus archivos encriptados incluso si perdés la contraseña", +"Enable password recovery:" => "Habilitar recuperación de contraseña:", +"Enabling this option will allow you to reobtain access to your encrypted files in case of password loss" => "Habilitando esta opción, vas a tener acceso a tus archivos encriptados, incluso si perdés la contraseña", "File recovery settings updated" => "Las opciones de recuperación de archivos fueron actualizadas", "Could not update file recovery" => "No fue posible actualizar la recuperación de archivos" ); diff --git a/apps/files_encryption/l10n/et_EE.php b/apps/files_encryption/l10n/et_EE.php index 94c774636b..c1c8164b81 100644 --- a/apps/files_encryption/l10n/et_EE.php +++ b/apps/files_encryption/l10n/et_EE.php @@ -5,11 +5,32 @@ "Could not disable recovery key. Please check your recovery key password!" => "Ei suuda keelata taastevõtit. Palun kontrolli oma taastevõtme parooli!", "Password successfully changed." => "Parool edukalt vahetatud.", "Could not change the password. Maybe the old password was not correct." => "Ei suutnud vahetada parooli. Võib-olla on vana parool valesti sisestatud.", +"Private key password successfully updated." => "Privaatse võtme parool edukalt uuendatud.", +"Could not update the private key password. Maybe the old password was not correct." => "Ei suutnud uuendada privaatse võtme parooli. Võib-olla polnud vana parool õige.", +"Your private key is not valid! Likely your password was changed outside the ownCloud system (e.g. your corporate directory). You can update your private key password in your personal settings to recover access to your encrypted files." => "Sinu privaatne võti pole toimiv! Tõenäoliselt on sinu parool muutunud väljaspool ownCloud süsteemi (näiteks ettevõtte keskhaldus). Sa saad uuendada oma privaatse võtme parooli seadete all taastamaks ligipääsu oma krüpteeritud failidele.", +"Missing requirements." => "Nõutavad on puudu.", +"Please make sure that PHP 5.3.3 or newer is installed and that the OpenSSL PHP extension is enabled and configured properly. For now, the encryption app has been disabled." => "Veendu, et kasutusel oleks PHP 5.3.3 või uuem versioon ning kasutusel oleks OpenSSL PHP laiendus ja see on korrektselt seadistatud. Hetkel on krüpteerimise rakenduse kasutamine peatatud.", "Saving..." => "Salvestamine...", +"Your private key is not valid! Maybe the your password was changed from outside." => "Sinu privaatne võti ei ole õige. Võib-olla on parool vahetatud süsteemi väliselt.", +"You can unlock your private key in your " => "Saad avada oma privaatse võtme oma", +"personal settings" => "isiklikes seadetes", "Encryption" => "Krüpteerimine", +"Enable recovery key (allow to recover users files in case of password loss):" => "Luba taastevõti (võimada kasutaja failide taastamine parooli kaotuse puhul):", +"Recovery key password" => "Taastevõtme parool", "Enabled" => "Sisse lülitatud", "Disabled" => "Väljalülitatud", +"Change recovery key password:" => "Muuda taastevõtme parooli:", +"Old Recovery key password" => "Vana taastevõtme parool", +"New Recovery key password" => "Uus taastevõtme parool", "Change Password" => "Muuda parooli", +"Your private key password no longer match your log-in password:" => "Sinu privaatse võtme parool ei ühti enam sinu sisselogimise parooliga:", +"Set your old private key password to your current log-in password." => "Pane oma vana privaatvõtme parooliks oma praegune sisselogimise parool.", +" If you don't remember your old password you can ask your administrator to recover your files." => "Kui sa ei mäleta oma vana parooli, siis palu oma süsteemihalduril taastada ligipääs failidele.", +"Old log-in password" => "Vana sisselogimise parool", +"Current log-in password" => "Praegune sisselogimise parool", +"Update Private Key Password" => "Uuenda privaatse võtme parooli", +"Enable password recovery:" => "Luba parooli taaste:", +"Enabling this option will allow you to reobtain access to your encrypted files in case of password loss" => "Valiku lubamine võimaldab taastada ligipääsu krüpteeritud failidele kui parooli kaotuse puhul", "File recovery settings updated" => "Faili taaste seaded uuendatud", "Could not update file recovery" => "Ei suuda uuendada taastefaili" ); diff --git a/apps/files_encryption/l10n/fa.php b/apps/files_encryption/l10n/fa.php index af2e36b2a8..8967ca1eed 100644 --- a/apps/files_encryption/l10n/fa.php +++ b/apps/files_encryption/l10n/fa.php @@ -1,4 +1,36 @@ "کلید بازیابی با موفقیت فعال شده است.", +"Could not enable recovery key. Please check your recovery key password!" => "کلید بازیابی نمی تواند فعال شود. لطفا رمزعبور کلید بازیابی خود را بررسی نمایید!", +"Recovery key successfully disabled" => "کلید بازیابی با موفقیت غیر فعال شده است.", +"Could not disable recovery key. Please check your recovery key password!" => "کلید بازیابی را نمی تواند غیرفعال نماید. لطفا رمزعبور کلید بازیابی خود را بررسی کنید!", +"Password successfully changed." => "رمزعبور با موفقیت تغییر یافت.", +"Could not change the password. Maybe the old password was not correct." => "رمزعبور را نمیتواند تغییر دهد. شاید رمزعبورقدیمی صحیح نمی باشد.", +"Private key password successfully updated." => "رمزعبور کلید خصوصی با موفقیت به روز شد.", +"Could not update the private key password. Maybe the old password was not correct." => "رمزعبور کلید خصوصی را نمی تواند به روز کند. شاید رمزعبور قدیمی صحیح نمی باشد.", +"Your private key is not valid! Likely your password was changed outside the ownCloud system (e.g. your corporate directory). You can update your private key password in your personal settings to recover access to your encrypted files." => "کلید خصوصی شما معتبر نمی باشد! ظاهرا رمزعبور شما بیرون از سیستم ownCloud تغییر یافته است( به عنوان مثال پوشه سازمان شما ). شما میتوانید رمزعبور کلید خصوصی خود را در تنظیمات شخصیتان به روز کنید تا بتوانید به فایل های رمزگذاری شده خود را دسترسی داشته باشید.", +"Missing requirements." => "نیازمندی های گمشده", +"Please make sure that PHP 5.3.3 or newer is installed and that the OpenSSL PHP extension is enabled and configured properly. For now, the encryption app has been disabled." => "لطفا مطمئن شوید که PHP 5.3.3 یا جدیدتر نصب شده و پسوند OpenSSL PHP فعال است و به درستی پیکربندی شده است. در حال حاضر، برنامه رمزگذاری غیر فعال شده است.", "Saving..." => "در حال ذخیره سازی...", -"Encryption" => "رمزگذاری" +"Your private key is not valid! Maybe the your password was changed from outside." => "کلید خصوصی شما معتبر نیست! شاید رمزعبوراز بیرون تغییر یافته است.", +"You can unlock your private key in your " => "شما میتوانید کلید خصوصی خود را باز نمایید.", +"personal settings" => "تنظیمات شخصی", +"Encryption" => "رمزگذاری", +"Enable recovery key (allow to recover users files in case of password loss):" => "فعال کردن کلید بازیابی(اجازه بازیابی فایل های کاربران در صورت از دست دادن رمزعبور):", +"Recovery key password" => "رمزعبور کلید بازیابی", +"Enabled" => "فعال شده", +"Disabled" => "غیرفعال شده", +"Change recovery key password:" => "تغییر رمزعبور کلید بازیابی:", +"Old Recovery key password" => "رمزعبور قدیمی کلید بازیابی ", +"New Recovery key password" => "رمزعبور جدید کلید بازیابی", +"Change Password" => "تغییر رمزعبور", +"Your private key password no longer match your log-in password:" => "رمزعبور کلید خصوصی شما با رمزعبور شما یکسان نیست :", +"Set your old private key password to your current log-in password." => "رمزعبور قدیمی کلید خصوصی خود را با رمزعبور فعلی تنظیم نمایید.", +" If you don't remember your old password you can ask your administrator to recover your files." => "اگر رمزعبور قدیمی را فراموش کرده اید میتوانید از مدیر خود برای بازیابی فایل هایتان درخواست نمایید.", +"Old log-in password" => "رمزعبور قدیمی", +"Current log-in password" => "رمزعبور فعلی", +"Update Private Key Password" => "به روز رسانی رمزعبور کلید خصوصی", +"Enable password recovery:" => "فعال سازی بازیابی رمزعبور:", +"Enabling this option will allow you to reobtain access to your encrypted files in case of password loss" => "فعال کردن این گزینه به شما اجازه خواهد داد در صورت از دست دادن رمزعبور به فایل های رمزگذاری شده خود دسترسی داشته باشید.", +"File recovery settings updated" => "تنظیمات بازیابی فایل به روز شده است.", +"Could not update file recovery" => "به روز رسانی بازیابی فایل را نمی تواند انجام دهد." ); diff --git a/apps/files_encryption/l10n/fr.php b/apps/files_encryption/l10n/fr.php index 44f6543672..174932d6e8 100644 --- a/apps/files_encryption/l10n/fr.php +++ b/apps/files_encryption/l10n/fr.php @@ -8,6 +8,8 @@ "Private key password successfully updated." => "Mot de passe de la clé privé mis à jour avec succès.", "Could not update the private key password. Maybe the old password was not correct." => "Impossible de mettre à jour le mot de passe de la clé privé. Peut-être que l'ancien mot de passe n'était pas correcte.", "Your private key is not valid! Likely your password was changed outside the ownCloud system (e.g. your corporate directory). You can update your private key password in your personal settings to recover access to your encrypted files." => "Votre clé de sécurité privée n'est pas valide! Il est probable que votre mot de passe ait été changé sans passer par le système ownCloud (par éxemple: le serveur de votre entreprise). Ain d'avoir à nouveau accès à vos fichiers cryptés, vous pouvez mettre à jour votre clé de sécurité privée dans les paramètres personnels de votre compte.", +"Missing requirements." => "Système minimum requis non respecté.", +"Please make sure that PHP 5.3.3 or newer is installed and that the OpenSSL PHP extension is enabled and configured properly. For now, the encryption app has been disabled." => "Veuillez vous assurer qu'une version de PHP 5.3.3 ou plus récente est installée et que l'extension OpenSSL de PHP est activée et configurée correctement. En attendant, l'application de cryptage a été désactivée.", "Saving..." => "Enregistrement...", "Your private key is not valid! Maybe the your password was changed from outside." => "Votre clef privée est invalide ! Votre mot de passe a peut-être été modifié depuis l'extérieur.", "You can unlock your private key in your " => "Vous pouvez déverrouiller votre clé privée dans votre", diff --git a/apps/files_encryption/l10n/gl.php b/apps/files_encryption/l10n/gl.php index 7469aba495..db6f57bb36 100644 --- a/apps/files_encryption/l10n/gl.php +++ b/apps/files_encryption/l10n/gl.php @@ -8,6 +8,8 @@ "Private key password successfully updated." => "A chave privada foi actualizada correctamente.", "Could not update the private key password. Maybe the old password was not correct." => "Non foi posíbel actualizar o contrasinal da chave privada. É probábel que o contrasinal antigo non sexa correcto.", "Your private key is not valid! Likely your password was changed outside the ownCloud system (e.g. your corporate directory). You can update your private key password in your personal settings to recover access to your encrypted files." => "A chave privada non é correcta! É probábel que o seu contrasinal teña sido cambiado desde o exterior (p.ex. o seu directorio corporativo). Vostede pode actualizar o contrasinal da súa chave privada nos seus axustes persoais para recuperar o acceso aos seus ficheiros", +"Missing requirements." => "Non se cumpren os requisitos.", +"Please make sure that PHP 5.3.3 or newer is installed and that the OpenSSL PHP extension is enabled and configured properly. For now, the encryption app has been disabled." => "Asegúrese de que está instalado o PHP 5.3.3 ou posterior e de que a extensión OpenSSL PHP estea activada e configurada correctamente. Polo de agora foi desactivado o aplicativo de cifrado.", "Saving..." => "Gardando...", "Your private key is not valid! Maybe the your password was changed from outside." => "A chave privada non é correcta! É probábel que o seu contrasinal teña sido cambiado desde o exterior. ", "You can unlock your private key in your " => "Pode desbloquear a chave privada nos seus", diff --git a/apps/files_encryption/l10n/it.php b/apps/files_encryption/l10n/it.php index 5b43d6321f..8d15d1ced3 100644 --- a/apps/files_encryption/l10n/it.php +++ b/apps/files_encryption/l10n/it.php @@ -8,6 +8,8 @@ "Private key password successfully updated." => "Password della chiave privata aggiornata correttamente.", "Could not update the private key password. Maybe the old password was not correct." => "Impossibile aggiornare la password della chiave privata. Forse la vecchia password non era corretta.", "Your private key is not valid! Likely your password was changed outside the ownCloud system (e.g. your corporate directory). You can update your private key password in your personal settings to recover access to your encrypted files." => "La chiave privata non è valida! Forse la password è stata cambiata esternamente al sistema di ownCloud (ad es. la directory aziendale). Puoi aggiornare la password della chiave privata nelle impostazioni personali per ottenere nuovamente l'accesso ai file.", +"Missing requirements." => "Requisiti mancanti.", +"Please make sure that PHP 5.3.3 or newer is installed and that the OpenSSL PHP extension is enabled and configured properly. For now, the encryption app has been disabled." => "Assicurati che sia installato PHP 5.3.3 o versioni successive e che l'estensione OpenSSL di PHP sia abilitata e configurata correttamente. Per ora, l'applicazione di cifratura è disabilitata.", "Saving..." => "Salvataggio in corso...", "Your private key is not valid! Maybe the your password was changed from outside." => "La tua chiave privata non è valida! Forse è stata modifica dall'esterno.", "You can unlock your private key in your " => "Puoi sbloccare la chiave privata nelle tue", diff --git a/apps/files_encryption/l10n/ja_JP.php b/apps/files_encryption/l10n/ja_JP.php index 5f2d3656e2..a1fcbd5c54 100644 --- a/apps/files_encryption/l10n/ja_JP.php +++ b/apps/files_encryption/l10n/ja_JP.php @@ -8,6 +8,8 @@ "Private key password successfully updated." => "秘密鍵のパスワードが正常に更新されました。", "Could not update the private key password. Maybe the old password was not correct." => "秘密鍵のパスワードを更新できませんでした。古いパスワードが正確でない場合があります。", "Your private key is not valid! Likely your password was changed outside the ownCloud system (e.g. your corporate directory). You can update your private key password in your personal settings to recover access to your encrypted files." => "秘密鍵が有効ではありません。パスワードがownCloudシステムの外部(例えば、企業ディレクトリ)から変更された恐れがあります。個人設定で秘密鍵のパスワードを更新して、暗号化されたファイルを回復出来ます。", +"Missing requirements." => "必要要件が満たされていません。", +"Please make sure that PHP 5.3.3 or newer is installed and that the OpenSSL PHP extension is enabled and configured properly. For now, the encryption app has been disabled." => "必ず、PHP 5.3.3以上をインストールし、OpenSSLのPHP拡張を有効にして適切に設定してください。現時点では暗号化アプリは無効になっています。", "Saving..." => "保存中...", "Your private key is not valid! Maybe the your password was changed from outside." => "秘密鍵が有効ではありません。パスワードが外部から変更された恐れがあります。", "You can unlock your private key in your " => "個人設定で", diff --git a/apps/files_encryption/l10n/ko.php b/apps/files_encryption/l10n/ko.php index cf8149da3a..52e0997ef7 100644 --- a/apps/files_encryption/l10n/ko.php +++ b/apps/files_encryption/l10n/ko.php @@ -1,4 +1,18 @@ "암호가 성공적으로 변경되었습니다", +"Could not change the password. Maybe the old password was not correct." => "암호를 변경할수 없습니다. 아마도 예전 암호가 정확하지 않은것 같습니다.", +"Private key password successfully updated." => "개인키 암호가 성공적으로 업데이트 됨.", "Saving..." => "저장 중...", -"Encryption" => "암호화" +"personal settings" => "개인 설정", +"Encryption" => "암호화", +"Recovery key password" => "키 비밀번호 복구", +"Change recovery key password:" => "복구 키 비밀번호 변경", +"Old Recovery key password" => "예전 복구 키 비밀번호", +"New Recovery key password" => "새 복구 키 비밀번호", +"Change Password" => "암호 변경", +"Old log-in password" => "예전 로그인 암호", +"Current log-in password" => "현재 로그인 암호", +"Update Private Key Password" => "개인 키 암호 업데이트", +"File recovery settings updated" => "파일 복구 설정 업데이트됨", +"Could not update file recovery" => "파일 복구를 업데이트 할수 없습니다" ); diff --git a/apps/files_encryption/l10n/pt_BR.php b/apps/files_encryption/l10n/pt_BR.php index cb6a881ae0..1563243c99 100644 --- a/apps/files_encryption/l10n/pt_BR.php +++ b/apps/files_encryption/l10n/pt_BR.php @@ -8,6 +8,8 @@ "Private key password successfully updated." => "Senha de chave privada atualizada com sucesso.", "Could not update the private key password. Maybe the old password was not correct." => "Não foi possível atualizar a senha de chave privada. Talvez a senha antiga esteja incorreta.", "Your private key is not valid! Likely your password was changed outside the ownCloud system (e.g. your corporate directory). You can update your private key password in your personal settings to recover access to your encrypted files." => "Sua chave privada não é válida! Provavelmente sua senha foi alterada fora do sistema ownCloud (por exemplo, seu diretório corporativo). Você pode atualizar sua senha de chave privada em suas configurações pessoais para recuperar o acesso a seus arquivos criptografados.", +"Missing requirements." => "Requisitos em falta.", +"Please make sure that PHP 5.3.3 or newer is installed and that the OpenSSL PHP extension is enabled and configured properly. For now, the encryption app has been disabled." => "Por favor, certifique-se que o PHP 5.3.3 ou mais recente está instalado e que a extensão PHP OpenSSL está habilitado e configurado corretamente. Por enquanto, o aplicativo de criptografia foi desativado.", "Saving..." => "Salvando...", "Your private key is not valid! Maybe the your password was changed from outside." => "Sua chave privada não é válida! Talvez sua senha tenha sido mudada.", "You can unlock your private key in your " => "Você pode desbloquear sua chave privada nas suas", diff --git a/apps/files_encryption/l10n/pt_PT.php b/apps/files_encryption/l10n/pt_PT.php index f485f373a5..d3cf596fda 100644 --- a/apps/files_encryption/l10n/pt_PT.php +++ b/apps/files_encryption/l10n/pt_PT.php @@ -5,11 +5,15 @@ "Could not disable recovery key. Please check your recovery key password!" => "Não foi possível desactivar a chave de recuperação. Por favor verifique a password da chave de recuperação.", "Password successfully changed." => "Password alterada com sucesso.", "Could not change the password. Maybe the old password was not correct." => "Não foi possivel alterar a password. Possivelmente a password antiga não está correcta.", +"Your private key is not valid! Likely your password was changed outside the ownCloud system (e.g. your corporate directory). You can update your private key password in your personal settings to recover access to your encrypted files." => "Chave privada não é válida! Provavelmente senha foi alterada fora do sistema ownCloud (exemplo, o diretório corporativo). Pode atualizar password da chave privada em configurações personalizadas para recuperar o acesso aos seus arquivos encriptados.", +"Please make sure that PHP 5.3.3 or newer is installed and that the OpenSSL PHP extension is enabled and configured properly. For now, the encryption app has been disabled." => "Por favor, certifique-se que PHP 5.3.3 ou mais recente está instalado e que a extensão PHP OpenSSL está ativada e corretamente configurada. Por agora, a encripitação está desativado.", "Saving..." => "A guardar...", +"personal settings" => "configurações personalizadas ", "Encryption" => "Encriptação", "Enabled" => "Activado", "Disabled" => "Desactivado", "Change Password" => "Mudar a Password", +"Enable password recovery:" => "ativar recuperação do password:", "File recovery settings updated" => "Actualizadas as definições de recuperação de ficheiros", "Could not update file recovery" => "Não foi possível actualizar a recuperação de ficheiros" ); diff --git a/apps/files_encryption/l10n/ru.php b/apps/files_encryption/l10n/ru.php index 19a8287ada..5bb803de2d 100644 --- a/apps/files_encryption/l10n/ru.php +++ b/apps/files_encryption/l10n/ru.php @@ -7,6 +7,9 @@ "Could not change the password. Maybe the old password was not correct." => "Невозможно изменить пароль. Возможно старый пароль не был верен.", "Private key password successfully updated." => "Пароль секретного ключа успешно обновлён.", "Could not update the private key password. Maybe the old password was not correct." => "Невозможно обновить пароль от секретного ключа. Возможно, старый пароль указан неверно.", +"Your private key is not valid! Likely your password was changed outside the ownCloud system (e.g. your corporate directory). You can update your private key password in your personal settings to recover access to your encrypted files." => "Ваш секретный ключ не действителен! Вероятно, ваш пароль был изменен вне системы OwnCloud (например, корпоративный каталог). Вы можете обновить секретный ключ в личных настройках на странице восстановления доступа к зашифрованным файлам. ", +"Missing requirements." => "Требования отсутствуют.", +"Please make sure that PHP 5.3.3 or newer is installed and that the OpenSSL PHP extension is enabled and configured properly. For now, the encryption app has been disabled." => "Пожалуйста, убедитесь, что PHP 5.3.3 или новее установлен и что расширение OpenSSL PHP включен и настроен. В настоящее время, шифрование для приложения было отключено.", "Saving..." => "Сохранение...", "Your private key is not valid! Maybe the your password was changed from outside." => "Секретный ключ недействителен! Возможно, Ваш пароль был изменён в другой программе.", "You can unlock your private key in your " => "Вы можете разблокировать закрытый ключ в своём ", diff --git a/apps/files_encryption/l10n/sv.php b/apps/files_encryption/l10n/sv.php index 3659e22bb4..2cef6686fc 100644 --- a/apps/files_encryption/l10n/sv.php +++ b/apps/files_encryption/l10n/sv.php @@ -8,6 +8,8 @@ "Private key password successfully updated." => "Den privata lösenordsnyckeln uppdaterades utan problem.", "Could not update the private key password. Maybe the old password was not correct." => "Kunde inte uppdatera den privata lösenordsnyckeln. Kanske var det gamla lösenordet fel.", "Your private key is not valid! Likely your password was changed outside the ownCloud system (e.g. your corporate directory). You can update your private key password in your personal settings to recover access to your encrypted files." => "Din privata lösenordsnyckel är inte giltig! Troligen har ditt lösenord ändrats utanför ownCloud (t.ex. i företagets katalogtjänst). Du kan uppdatera den privata lösenordsnyckeln under dina personliga inställningar för att återfå tillgång till dina filer.", +"Missing requirements." => "Krav som saknas", +"Please make sure that PHP 5.3.3 or newer is installed and that the OpenSSL PHP extension is enabled and configured properly. For now, the encryption app has been disabled." => "Kontrollera att PHP 5.3.3 eller senare är installerad och att tillägget OpenSSL PHP är aktiverad och rätt inställd. Kryperingsappen är därför tillsvidare inaktiverad.", "Saving..." => "Sparar...", "Your private key is not valid! Maybe the your password was changed from outside." => "Din privata lösenordsnyckel är inte giltig! Kanske byttes ditt lösenord från utsidan.", "You can unlock your private key in your " => "Du kan låsa upp din privata nyckel i dina", diff --git a/apps/files_encryption/tests/keymanager.php b/apps/files_encryption/tests/keymanager.php index 19ba9a8117..b644856d95 100644 --- a/apps/files_encryption/tests/keymanager.php +++ b/apps/files_encryption/tests/keymanager.php @@ -14,6 +14,7 @@ require_once realpath(dirname(__FILE__) . '/../lib/stream.php'); require_once realpath(dirname(__FILE__) . '/../lib/util.php'); require_once realpath(dirname(__FILE__) . '/../lib/helper.php'); require_once realpath(dirname(__FILE__) . '/../appinfo/app.php'); +require_once realpath(dirname(__FILE__) . '/util.php'); use OCA\Encryption; @@ -22,6 +23,8 @@ use OCA\Encryption; */ class Test_Encryption_Keymanager extends \PHPUnit_Framework_TestCase { + const TEST_USER = "test-keymanager-user"; + public $userId; public $pass; public $stateFilesTrashbin; @@ -47,17 +50,9 @@ class Test_Encryption_Keymanager extends \PHPUnit_Framework_TestCase { // disable file proxy by default \OC_FileProxy::$enabled = false; - // setup filesystem - \OC_Util::tearDownFS(); - \OC_User::setUserId(''); - \OC\Files\Filesystem::tearDown(); - \OC_Util::setupFS('admin'); - \OC_User::setUserId('admin'); - - // login admin - $params['uid'] = 'admin'; - $params['password'] = 'admin'; - OCA\Encryption\Hooks::login($params); + // create test user + \OC_User::deleteUser(\Test_Encryption_Keymanager::TEST_USER); + \Test_Encryption_Util::loginHelper(\Test_Encryption_Keymanager::TEST_USER, true); } function setUp() { @@ -75,9 +70,9 @@ class Test_Encryption_Keymanager extends \PHPUnit_Framework_TestCase { $this->view = new \OC_FilesystemView('/'); - \OC_User::setUserId('admin'); - $this->userId = 'admin'; - $this->pass = 'admin'; + \OC_User::setUserId(\Test_Encryption_Keymanager::TEST_USER); + $this->userId = \Test_Encryption_Keymanager::TEST_USER; + $this->pass = \Test_Encryption_Keymanager::TEST_USER; $userHome = \OC_User::getHome($this->userId); $this->dataDir = str_replace('/' . $this->userId, '', $userHome); @@ -101,6 +96,9 @@ class Test_Encryption_Keymanager extends \PHPUnit_Framework_TestCase { public static function tearDownAfterClass() { \OC_FileProxy::$enabled = true; + + // cleanup test user + \OC_User::deleteUser(\Test_Encryption_Keymanager::TEST_USER); } /** @@ -226,9 +224,9 @@ class Test_Encryption_Keymanager extends \PHPUnit_Framework_TestCase { $filename = '/tmp-' . time() . '.txt'; // create folder structure - $this->view->mkdir('/admin/files/folder1'); - $this->view->mkdir('/admin/files/folder1/subfolder'); - $this->view->mkdir('/admin/files/folder1/subfolder/subsubfolder'); + $this->view->mkdir('/'.Test_Encryption_Keymanager::TEST_USER.'/files/folder1'); + $this->view->mkdir('/'.Test_Encryption_Keymanager::TEST_USER.'/files/folder1/subfolder'); + $this->view->mkdir('/'.Test_Encryption_Keymanager::TEST_USER.'/files/folder1/subfolder/subsubfolder'); // enable encryption proxy $proxyStatus = \OC_FileProxy::$enabled; diff --git a/apps/files_encryption/tests/share.php b/apps/files_encryption/tests/share.php index 6b53031585..ebf678da78 100755 --- a/apps/files_encryption/tests/share.php +++ b/apps/files_encryption/tests/share.php @@ -751,6 +751,9 @@ class Test_Encryption_Share extends \PHPUnit_Framework_TestCase { * @large */ function testRecoveryForUser() { + $this->markTestIncomplete( + 'This test drives Jenkins crazy - "Cannot modify header information - headers already sent" - line 811' + ); // login as admin \Test_Encryption_Util::loginHelper(\Test_Encryption_Share::TEST_ENCRYPTION_SHARE_USER1); diff --git a/apps/files_external/3rdparty/aws-sdk-php/Aws/Common/Aws.php b/apps/files_external/3rdparty/aws-sdk-php/Aws/Common/Aws.php new file mode 100644 index 0000000000..bd3175be59 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Aws/Common/Aws.php @@ -0,0 +1,107 @@ +addAlias('_aws', self::getDefaultServiceDefinition()) + ->addAlias('_sdk1', __DIR__ . '/Resources/sdk1-config.php'); + + return $loader->load($config, $globalParameters); + } + + /** + * Get the full path to the default service builder definition file + * + * @return string + */ + public static function getDefaultServiceDefinition() + { + return __DIR__ . '/Resources/aws-config.php'; + } + + /** + * Returns the configuration for the service builder + * + * @return array + */ + public function getConfig() + { + return $this->builderConfig; + } + + /** + * Enables the facades for the clients defined in the service builder + * + * @param string|null $namespace The namespace that the facades should be mounted to. Defaults to global namespace + * + * @return Aws + */ + public function enableFacades($namespace = null) + { + $facadeClass = 'Aws\\Common\\Facade\\Facade'; + if (class_exists($facadeClass)) { + $facadeClass::mountFacades($this, $namespace); + } + + return $this; + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Aws/Common/Client/AbstractClient.php b/apps/files_external/3rdparty/aws-sdk-php/Aws/Common/Client/AbstractClient.php new file mode 100644 index 0000000000..0187cdb15c --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Aws/Common/Client/AbstractClient.php @@ -0,0 +1,273 @@ +get(Options::BASE_URL), $config); + $this->credentials = $credentials; + $this->signature = $signature; + + // Make sure the user agent is prefixed by the SDK version + $this->setUserAgent('aws-sdk-php2/' . Aws::VERSION, true); + + // Add the event listener so that requests are signed before they are sent + $dispatcher = $this->getEventDispatcher(); + $dispatcher->addSubscriber(new SignatureListener($credentials, $signature)); + + if ($backoff = $config->get(Options::BACKOFF)) { + $dispatcher->addSubscriber($backoff, -255); + } + } + + public function __call($method, $args) + { + if (substr($method, 0, 3) === 'get' && substr($method, -8) === 'Iterator') { + // Allow magic method calls for iterators (e.g. $client->getIterator($params)) + $commandOptions = isset($args[0]) ? $args[0] : null; + $iteratorOptions = isset($args[1]) ? $args[1] : array(); + return $this->getIterator(substr($method, 3, -8), $commandOptions, $iteratorOptions); + } elseif (substr($method, 0, 9) == 'waitUntil') { + // Allow magic method calls for waiters (e.g. $client->waitUntil($params)) + return $this->waitUntil(substr($method, 9), isset($args[0]) ? $args[0]: array()); + } else { + return parent::__call(ucfirst($method), $args); + } + } + + /** + * Get an endpoint for a specific region from a service description + * + * @param ServiceDescriptionInterface $description Service description + * @param string $region Region of the endpoint + * @param string $scheme URL scheme + * + * @return string + * @throws InvalidArgumentException + */ + public static function getEndpoint(ServiceDescriptionInterface $description, $region, $scheme) + { + $service = $description->getData('serviceFullName'); + // Lookup the region in the service description + if (!($regions = $description->getData('regions'))) { + throw new InvalidArgumentException("No regions found in the {$service} description"); + } + // Ensure that the region exists for the service + if (!isset($regions[$region])) { + throw new InvalidArgumentException("{$region} is not a valid region for {$service}"); + } + // Ensure that the scheme is valid + if ($regions[$region][$scheme] == false) { + throw new InvalidArgumentException("{$scheme} is not a valid URI scheme for {$service} in {$region}"); + } + + return $scheme . '://' . $regions[$region]['hostname']; + } + + /** + * {@inheritdoc} + */ + public function getCredentials() + { + return $this->credentials; + } + + /** + * {@inheritdoc} + */ + public function setCredentials(CredentialsInterface $credentials) + { + $formerCredentials = $this->credentials; + $this->credentials = $credentials; + + // Dispatch an event that the credentials have been changed + $this->dispatch('client.credentials_changed', array( + 'credentials' => $credentials, + 'former_credentials' => $formerCredentials, + )); + + return $this; + } + + /** + * {@inheritdoc} + */ + public function getSignature() + { + return $this->signature; + } + + /** + * {@inheritdoc} + */ + public function getRegions() + { + return $this->serviceDescription->getData('regions'); + } + + /** + * {@inheritdoc} + */ + public function getRegion() + { + return $this->getConfig(Options::REGION); + } + + /** + * {@inheritdoc} + */ + public function setRegion($region) + { + $config = $this->getConfig(); + $formerRegion = $config->get(Options::REGION); + $global = $this->serviceDescription->getData('globalEndpoint'); + + // Only change the region if the service does not have a global endpoint + if (!$global || $this->serviceDescription->getData('namespace') === 'S3') { + $baseUrl = self::getEndpoint($this->serviceDescription, $region, $config->get(Options::SCHEME)); + $this->setBaseUrl($baseUrl); + $config->set(Options::BASE_URL, $baseUrl)->set(Options::REGION, $region); + + // Update the signature if necessary + $signature = $this->getSignature(); + if ($signature instanceof EndpointSignatureInterface) { + /** @var $signature EndpointSignatureInterface */ + $signature->setRegionName($region); + } + + // Dispatch an event that the region has been changed + $this->dispatch('client.region_changed', array( + 'region' => $region, + 'former_region' => $formerRegion, + )); + } + + return $this; + } + + /** + * {@inheritdoc} + */ + public function waitUntil($waiter, array $input = array()) + { + $this->getWaiter($waiter, $input)->wait(); + + return $this; + } + + /** + * {@inheritdoc} + */ + public function getWaiter($waiter, array $input = array()) + { + return $this->getWaiterFactory()->build($waiter) + ->setClient($this) + ->setConfig($input); + } + + /** + * {@inheritdoc} + */ + public function setWaiterFactory(WaiterFactoryInterface $waiterFactory) + { + $this->waiterFactory = $waiterFactory; + + return $this; + } + + /** + * {@inheritdoc} + */ + public function getWaiterFactory() + { + if (!$this->waiterFactory) { + $clientClass = get_class($this); + // Use a composite factory that checks for classes first, then config waiters + $this->waiterFactory = new CompositeWaiterFactory(array( + new WaiterClassFactory(substr($clientClass, 0, strrpos($clientClass, '\\')) . '\\Waiter') + )); + if ($this->getDescription()) { + $this->waiterFactory->addFactory(new WaiterConfigFactory($this->getDescription()->getData('waiters'))); + } + } + + return $this->waiterFactory; + } + + /** + * {@inheritdoc} + */ + public function getApiVersion() + { + return $this->serviceDescription->getApiVersion(); + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Aws/Common/Client/AwsClientInterface.php b/apps/files_external/3rdparty/aws-sdk-php/Aws/Common/Client/AwsClientInterface.php new file mode 100644 index 0000000000..4c0579f64a --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Aws/Common/Client/AwsClientInterface.php @@ -0,0 +1,118 @@ + 'https'); + + /** + * @var array Default client requirements + */ + protected static $commonConfigRequirements = array(Options::SERVICE_DESCRIPTION); + + /** + * @var string The namespace of the client + */ + protected $clientNamespace; + + /** + * @var array The config options + */ + protected $config = array(); + + /** + * @var array The config defaults + */ + protected $configDefaults = array(); + + /** + * @var array The config requirements + */ + protected $configRequirements = array(); + + /** + * @var ExceptionParserInterface The Parser interface for the client + */ + protected $exceptionParser; + + /** + * @var array Array of configuration data for iterators available for the client + */ + protected $iteratorsConfig = array(); + + /** + * Factory method for creating the client builder + * + * @param string $namespace The namespace of the client + * + * @return ClientBuilder + */ + public static function factory($namespace = null) + { + return new static($namespace); + } + + /** + * Constructs a client builder + * + * @param string $namespace The namespace of the client + */ + public function __construct($namespace = null) + { + $this->clientNamespace = $namespace; + } + + /** + * Sets the config options + * + * @param array|Collection $config The config options + * + * @return ClientBuilder + */ + public function setConfig($config) + { + $this->config = $this->processArray($config); + + return $this; + } + + /** + * Sets the config options' defaults + * + * @param array|Collection $defaults The default values + * + * @return ClientBuilder + */ + public function setConfigDefaults($defaults) + { + $this->configDefaults = $this->processArray($defaults); + + return $this; + } + + /** + * Sets the required config options + * + * @param array|Collection $required The required config options + * + * @return ClientBuilder + */ + public function setConfigRequirements($required) + { + $this->configRequirements = $this->processArray($required); + + return $this; + } + + /** + * Sets the exception parser. If one is not provided the builder will use + * the default XML exception parser. + * + * @param ExceptionParserInterface $parser The exception parser + * + * @return ClientBuilder + */ + public function setExceptionParser(ExceptionParserInterface $parser) + { + $this->exceptionParser = $parser; + + return $this; + } + + /** + * Set the configuration for the client's iterators + * + * @param array $config Configuration data for client's iterators + * + * @return ClientBuilder + */ + public function setIteratorsConfig(array $config) + { + $this->iteratorsConfig = $config; + + return $this; + } + + /** + * Performs the building logic using all of the parameters that have been + * set and falling back to default values. Returns an instantiate service + * client with credentials prepared and plugins attached. + * + * @return AwsClientInterface + * @throws InvalidArgumentException + */ + public function build() + { + // Resolve configuration + $config = Collection::fromConfig( + $this->config, + array_merge(self::$commonConfigDefaults, $this->configDefaults), + (self::$commonConfigRequirements + $this->configRequirements) + ); + + // Resolve endpoint and signature from the config and service description + $description = $this->updateConfigFromDescription($config); + $signature = $this->getSignature($description, $config); + + // Resolve credentials + if (!$credentials = $config->get('credentials')) { + $credentials = Credentials::factory($config); + } + + // Resolve exception parser + if (!$this->exceptionParser) { + $this->exceptionParser = new DefaultXmlExceptionParser(); + } + + // Resolve backoff strategy + $backoff = $config->get(Options::BACKOFF); + if ($backoff === null) { + $backoff = new BackoffPlugin( + // Retry failed requests up to 3 times if it is determined that the request can be retried + new TruncatedBackoffStrategy(3, + // Retry failed requests with 400-level responses due to throttling + new ThrottlingErrorChecker($this->exceptionParser, + // Retry failed requests with 500-level responses + new HttpBackoffStrategy(array(500, 503, 509), + // Retry failed requests due to transient network or cURL problems + new CurlBackoffStrategy(null, + // Retry requests that failed due to expired credentials + new ExpiredCredentialsChecker($this->exceptionParser, + new ExponentialBackoffStrategy() + ) + ) + ) + ) + ) + ); + $config->set(Options::BACKOFF, $backoff); + } + + if ($backoff) { + $this->addBackoffLogger($backoff, $config); + } + + // Determine service and class name + $clientClass = 'Aws\Common\Client\DefaultClient'; + if ($this->clientNamespace) { + $serviceName = substr($this->clientNamespace, strrpos($this->clientNamespace, '\\') + 1); + $clientClass = $this->clientNamespace . '\\' . $serviceName . 'Client'; + } + + /** @var $client AwsClientInterface */ + $client = new $clientClass($credentials, $signature, $config); + $client->setDescription($description); + + // Add exception marshaling so that more descriptive exception are thrown + if ($this->clientNamespace) { + $exceptionFactory = new NamespaceExceptionFactory( + $this->exceptionParser, + "{$this->clientNamespace}\\Exception", + "{$this->clientNamespace}\\Exception\\{$serviceName}Exception" + ); + $client->addSubscriber(new ExceptionListener($exceptionFactory)); + } + + // Add the UserAgentPlugin to append to the User-Agent header of requests + $client->addSubscriber(new UserAgentListener()); + + // Filters used for the cache plugin + $client->getConfig()->set( + 'params.cache.key_filter', + 'header=date,x-amz-date,x-amz-security-token,x-amzn-authorization' + ); + + // Set the iterator resource factory based on the provided iterators config + $client->setResourceIteratorFactory(new AwsResourceIteratorFactory( + $this->iteratorsConfig, + new ResourceIteratorClassFactory($this->clientNamespace . '\\Iterator') + )); + + // Disable parameter validation if needed + if ($config->get(Options::VALIDATION) === false) { + $params = $config->get('command.params') ?: array(); + $params['command.disable_validation'] = true; + $config->set('command.params', $params); + } + + return $client; + } + + /** + * Add backoff logging to the backoff plugin if needed + * + * @param BackoffPlugin $plugin Backoff plugin + * @param Collection $config Configuration settings + * + * @throws InvalidArgumentException + */ + protected function addBackoffLogger(BackoffPlugin $plugin, Collection $config) + { + // The log option can be set to `debug` or an instance of a LogAdapterInterface + if ($logger = $config->get(Options::BACKOFF_LOGGER)) { + $format = $config->get(Options::BACKOFF_LOGGER_TEMPLATE); + if ($logger === 'debug') { + $logger = new ClosureLogAdapter(function ($message) { + trigger_error($message . "\n"); + }); + } elseif (!($logger instanceof LogAdapterInterface)) { + throw new InvalidArgumentException( + Options::BACKOFF_LOGGER . ' must be set to `debug` or an instance of ' + . 'Guzzle\\Common\\Log\\LogAdapterInterface' + ); + } + // Create the plugin responsible for logging exponential backoff retries + $logPlugin = new BackoffLogger($logger); + // You can specify a custom format or use the default + if ($format) { + $logPlugin->setTemplate($format); + } + $plugin->addSubscriber($logPlugin); + } + } + + /** + * Ensures that an array (e.g. for config data) is actually in array form + * + * @param array|Collection $array The array data + * + * @return array + * @throws InvalidArgumentException if the arg is not an array or Collection + */ + protected function processArray($array) + { + if ($array instanceof Collection) { + $array = $array->getAll(); + } + + if (!is_array($array)) { + throw new InvalidArgumentException('The config must be provided as an array or Collection.'); + } + + return $array; + } + + /** + * Update a configuration object from a service description + * + * @param Collection $config Config to update + * + * @return ServiceDescription + * @throws InvalidArgumentException + */ + protected function updateConfigFromDescription(Collection $config) + { + $description = $config->get(Options::SERVICE_DESCRIPTION); + if (!($description instanceof ServiceDescription)) { + // Inject the version into the sprintf template if it is a string + if (is_string($description)) { + $description = sprintf($description, $config->get(Options::VERSION)); + } + $description = ServiceDescription::factory($description); + $config->set(Options::SERVICE_DESCRIPTION, $description); + } + + if (!$config->get(Options::SERVICE)) { + $config->set(Options::SERVICE, $description->getData('endpointPrefix')); + } + + if ($iterators = $description->getData('iterators')) { + $this->setIteratorsConfig($iterators); + } + + // Ensure that the service description has regions + if (!$description->getData('regions')) { + throw new InvalidArgumentException( + 'No regions found in the ' . $description->getData('serviceFullName'). ' description' + ); + } + + // Make sure a valid region is set + $region = $config->get(Options::REGION); + $global = $description->getData('globalEndpoint'); + if (!$global && !$region) { + throw new InvalidArgumentException( + 'A region is required when using ' . $description->getData('serviceFullName') + . '. Set "region" to one of: ' . implode(', ', array_keys($description->getData('regions'))) + ); + } elseif ($global && (!$region || $description->getData('namespace') !== 'S3')) { + $region = Region::US_EAST_1; + $config->set(Options::REGION, $region); + } + + if (!$config->get(Options::BASE_URL)) { + // Set the base URL using the scheme and hostname of the service's region + $config->set(Options::BASE_URL, AbstractClient::getEndpoint( + $description, + $region, + $config->get(Options::SCHEME) + )); + } + + return $description; + } + + /** + * Return an appropriate signature object for a a client based on a description + * + * @param ServiceDescription $description Description that holds a signature option + * @param Collection $config Configuration options + * + * @return SignatureInterface + * @throws InvalidArgumentException + */ + protected function getSignature(ServiceDescription $description, Collection $config) + { + if (!$signature = $config->get(Options::SIGNATURE)) { + switch ($description->getData('signatureVersion')) { + case 'v2': + $signature = new SignatureV2(); + break; + case 'v3': + $signature = new SignatureV3(); + break; + case 'v3https': + $signature = new SignatureV3Https(); + break; + case 'v4': + $signature = new SignatureV4(); + break; + default: + throw new InvalidArgumentException('Service description does not specify a valid signatureVersion'); + } + } + + // Allow a custom service name or region value to be provided + if ($signature instanceof EndpointSignatureInterface) { + + // Determine the service name to use when signing + if (!$service = $config->get(Options::SIGNATURE_SERVICE)) { + if (!$service = $description->getData('signingName')) { + $service = $description->getData('endpointPrefix'); + } + } + $signature->setServiceName($service); + + // Determine the region to use when signing requests + if (!$region = $config->get(Options::SIGNATURE_REGION)) { + $region = $config->get(Options::REGION); + } + $signature->setRegionName($region); + } + + return $signature; + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Aws/Common/Client/DefaultClient.php b/apps/files_external/3rdparty/aws-sdk-php/Aws/Common/Client/DefaultClient.php new file mode 100644 index 0000000000..4bc257a4e9 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Aws/Common/Client/DefaultClient.php @@ -0,0 +1,76 @@ +setConfig($config) + ->setConfigDefaults(array(Options::SCHEME => 'https')) + ->build(); + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Aws/Common/Client/ExpiredCredentialsChecker.php b/apps/files_external/3rdparty/aws-sdk-php/Aws/Common/Client/ExpiredCredentialsChecker.php new file mode 100644 index 0000000000..d20f7f829d --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Aws/Common/Client/ExpiredCredentialsChecker.php @@ -0,0 +1,80 @@ + true, + 'ExpiredTokenException' => true, + 'ExpiredToken' => true + ); + + /** + * @var ExceptionParserInterface Exception parser used to parse exception responses + */ + protected $exceptionParser; + + public function __construct(ExceptionParserInterface $exceptionParser, BackoffStrategyInterface $next = null) { + $this->exceptionParser = $exceptionParser; + $this->next = $next; + } + + public function makesDecision() + { + return true; + } + + protected function getDelay($retries, RequestInterface $request, Response $response = null, HttpException $e = null) + { + if ($response && $response->isClientError()) { + + $parts = $this->exceptionParser->parse($request, $response); + if (!isset($this->retryable[$parts['code']]) || !$request->getClient()) { + return null; + } + + /** @var $client AwsClientInterface */ + $client = $request->getClient(); + // Only retry if the credentials can be refreshed + if (!($client->getCredentials() instanceof AbstractRefreshableCredentials)) { + return null; + } + + // Resign the request using new credentials + $client->getSignature()->signRequest($request, $client->getCredentials()->setExpiration(-1)); + + // Retry immediately with no delay + return 0; + } + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Aws/Common/Client/ThrottlingErrorChecker.php b/apps/files_external/3rdparty/aws-sdk-php/Aws/Common/Client/ThrottlingErrorChecker.php new file mode 100644 index 0000000000..a35cbcb157 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Aws/Common/Client/ThrottlingErrorChecker.php @@ -0,0 +1,75 @@ + true, + 'Throttling' => true, + 'ThrottlingException' => true, + 'ProvisionedThroughputExceededException' => true, + 'RequestThrottled' => true, + ); + + /** + * @var ExceptionParserInterface Exception parser used to parse exception responses + */ + protected $exceptionParser; + + public function __construct(ExceptionParserInterface $exceptionParser, BackoffStrategyInterface $next = null) + { + $this->exceptionParser = $exceptionParser; + if ($next) { + $this->setNext($next); + } + } + + /** + * {@inheritdoc} + */ + public function makesDecision() + { + return true; + } + + /** + * {@inheritdoc} + */ + protected function getDelay( + $retries, + RequestInterface $request, + Response $response = null, + HttpException $e = null + ) { + if ($response && $response->isClientError()) { + $parts = $this->exceptionParser->parse($request, $response); + return isset(self::$throttlingExceptions[$parts['code']]) ? true : null; + } + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Aws/Common/Client/UploadBodyListener.php b/apps/files_external/3rdparty/aws-sdk-php/Aws/Common/Client/UploadBodyListener.php new file mode 100644 index 0000000000..e559d4826a --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Aws/Common/Client/UploadBodyListener.php @@ -0,0 +1,93 @@ +commands = $commands; + $this->bodyParameter = (string) $bodyParameter; + $this->sourceParameter = (string) $sourceParameter; + } + + /** + * {@inheritdoc} + */ + public static function getSubscribedEvents() + { + return array('command.before_prepare' => array('onCommandBeforePrepare')); + } + + /** + * Converts filenames and file handles into EntityBody objects before the command is validated + * + * @param Event $event Event emitted + */ + public function onCommandBeforePrepare(Event $event) + { + /** @var $command Command */ + $command = $event['command']; + if (in_array($command->getName(), $this->commands)) { + // Get the interesting parameters + $source = $command->get($this->sourceParameter); + $body = $command->get($this->bodyParameter); + + // If a file path is passed in then get the file handle + if (is_string($source) && file_exists($source)) { + $body = fopen($source, 'r'); + } + + if (null !== $body) { + $body = EntityBody::factory($body); + } + + // Prepare the body parameter and remove the source file parameter + $command->remove($this->sourceParameter); + $command->set($this->bodyParameter, $body); + } + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Aws/Common/Client/UserAgentListener.php b/apps/files_external/3rdparty/aws-sdk-php/Aws/Common/Client/UserAgentListener.php new file mode 100644 index 0000000000..cc7e312c06 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Aws/Common/Client/UserAgentListener.php @@ -0,0 +1,61 @@ + 'onBeforeSend'); + } + + /** + * Adds strings to the User-Agent header using the `ua.append` parameter of a command + * + * @param Event $event Event emitted + */ + public function onBeforeSend(Event $event) + { + $command = $event['command']; + if ($userAgentAppends = $command->get(self::OPTION)) { + $request = $command->getRequest(); + $userAgent = (string) $request->getHeader('User-Agent'); + foreach ((array) $userAgentAppends as $append) { + $append = ' ' . $append; + if (strpos($userAgent, $append) === false) { + $userAgent .= $append; + } + } + $request->setHeader('User-Agent', $userAgent); + } + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Aws/Common/Command/AwsQueryVisitor.php b/apps/files_external/3rdparty/aws-sdk-php/Aws/Common/Command/AwsQueryVisitor.php new file mode 100644 index 0000000000..b6d14099ee --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Aws/Common/Command/AwsQueryVisitor.php @@ -0,0 +1,100 @@ +customResolver($value, $param, $query, $param->getWireName()); + $request->addPostFields($query); + } + + /** + * Map nested parameters into the location_key based parameters + * + * @param array $value Value to map + * @param Parameter $param Parameter that holds information about the current key + * @param array $query Built up query string values + * @param string $prefix String to prepend to sub query values + */ + protected function customResolver($value, Parameter $param, array &$query, $prefix = '') + { + switch ($param->getType()) { + case 'object': + $this->resolveObject($param, $value, $prefix, $query); + break; + case 'array': + $this->resolveArray($param, $value, $prefix, $query); + break; + default: + $query[$prefix] = $param->filter($value); + } + } + + /** + * Custom handling for objects + * + * @param Parameter $param Parameter for the object + * @param array $value Value that is set for this parameter + * @param string $prefix Prefix for the resulting key + * @param array $query Query string array passed by reference + */ + protected function resolveObject(Parameter $param, array $value, $prefix, array &$query) + { + // Maps are implemented using additional properties + $hasAdditionalProperties = ($param->getAdditionalProperties() instanceof Parameter); + $additionalPropertyCount = 0; + + foreach ($value as $name => $v) { + if ($subParam = $param->getProperty($name)) { + // if the parameter was found by name as a regular property + $key = $prefix . '.' . $subParam->getWireName(); + $this->customResolver($v, $subParam, $query, $key); + } elseif ($hasAdditionalProperties) { + // Handle map cases like &Attribute.1.Name=&Attribute.1.Value= + $additionalPropertyCount++; + $query["{$prefix}.{$additionalPropertyCount}.Name"] = $name; + $newPrefix = "{$prefix}.{$additionalPropertyCount}.Value"; + if (is_array($v)) { + $this->customResolver($v, $param->getAdditionalProperties(), $query, $newPrefix); + } else { + $query[$newPrefix] = $param->filter($v); + } + } + } + } + + /** + * Custom handling for arrays + * + * @param Parameter $param Parameter for the object + * @param array $value Value that is set for this parameter + * @param string $prefix Prefix for the resulting key + * @param array $query Query string array passed by reference + */ + protected function resolveArray(Parameter $param, array $value, $prefix, array &$query) + { + $offset = $param->getData('offset') ?: 1; + foreach ($value as $index => $v) { + $index += $offset; + if (is_array($v) && $items = $param->getItems()) { + $this->customResolver($v, $items, $query, $prefix . '.' . $index); + } else { + $query[$prefix . '.' . $index] = $param->filter($v); + } + } + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Aws/Common/Command/JsonCommand.php b/apps/files_external/3rdparty/aws-sdk-php/Aws/Common/Command/JsonCommand.php new file mode 100644 index 0000000000..15ad5936d7 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Aws/Common/Command/JsonCommand.php @@ -0,0 +1,47 @@ +request->getBody()) { + $this->request->setBody('{}'); + } + + // Never send the Expect header when interacting with a JSON query service + $this->request->removeHeader('Expect'); + + // Always send JSON requests as a raw string rather than using streams to avoid issues with + // cURL error code 65: "necessary data rewind wasn't possible". + // This could be removed after PHP addresses https://bugs.php.net/bug.php?id=47204 + $this->request->getCurlOptions()->set(CurlHandle::BODY_AS_STRING, true); + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Aws/Common/Command/QueryCommand.php b/apps/files_external/3rdparty/aws-sdk-php/Aws/Common/Command/QueryCommand.php new file mode 100644 index 0000000000..63eb8e80db --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Aws/Common/Command/QueryCommand.php @@ -0,0 +1,53 @@ +getRequestSerializer()->addVisitor('aws.query', self::$queryVisitor); + $this->getResponseParser()->addVisitor('xml', self::$xmlVisitor); + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Aws/Common/Command/XmlResponseLocationVisitor.php b/apps/files_external/3rdparty/aws-sdk-php/Aws/Common/Command/XmlResponseLocationVisitor.php new file mode 100644 index 0000000000..ad229fde3d --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Aws/Common/Command/XmlResponseLocationVisitor.php @@ -0,0 +1,74 @@ +getOperation(); + if ($operation->getServiceDescription()->getData('resultWrapped')) { + $wrappingNode = $operation->getName() . 'Result'; + if (isset($result[$wrappingNode])) { + $result = $result[$wrappingNode] + $result; + unset($result[$wrappingNode]); + } + } + } + + /** + * Accounts for wrapper nodes + * {@inheritdoc} + */ + public function visit( + CommandInterface $command, + Response $response, + Parameter $param, + &$value, + $context = null + ) { + parent::visit($command, $response, $param, $value, $context); + + // Account for wrapper nodes (e.g. RDS, ElastiCache, etc) + if ($param->getData('wrapper')) { + $wireName = $param->getWireName(); + $value += $value[$wireName]; + unset($value[$wireName]); + } + } + + /** + * Filter used when converting XML maps into associative arrays in service descriptions + * + * @param array $value Value to filter + * @param string $entryName Name of each entry + * @param string $keyName Name of each key + * @param string $valueName Name of each value + * + * @return array Returns the map of the XML data + */ + public static function xmlMap($value, $entryName, $keyName, $valueName) + { + $result = array(); + foreach ($value as $entry) { + $result[$entry[$keyName]] = $entry[$valueName]; + } + + return $result; + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Aws/Common/Credentials/AbstractCredentialsDecorator.php b/apps/files_external/3rdparty/aws-sdk-php/Aws/Common/Credentials/AbstractCredentialsDecorator.php new file mode 100644 index 0000000000..b3a1df967e --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Aws/Common/Credentials/AbstractCredentialsDecorator.php @@ -0,0 +1,136 @@ +credentials = $credentials; + } + + /** + * {@inheritdoc} + */ + public function serialize() + { + return $this->credentials->serialize(); + } + + /** + * {@inheritdoc} + */ + public function unserialize($serialized) + { + $this->credentials = new Credentials('', ''); + $this->credentials->unserialize($serialized); + } + + /** + * {@inheritdoc} + */ + public function getAccessKeyId() + { + return $this->credentials->getAccessKeyId(); + } + + /** + * {@inheritdoc} + */ + public function getSecretKey() + { + return $this->credentials->getSecretKey(); + } + + /** + * {@inheritdoc} + */ + public function getSecurityToken() + { + return $this->credentials->getSecurityToken(); + } + + /** + * {@inheritdoc} + */ + public function getExpiration() + { + return $this->credentials->getExpiration(); + } + + /** + * {@inheritdoc} + */ + public function isExpired() + { + return $this->credentials->isExpired(); + } + + /** + * {@inheritdoc} + */ + public function setAccessKeyId($key) + { + $this->credentials->setAccessKeyId($key); + + return $this; + } + + /** + * {@inheritdoc} + */ + public function setSecretKey($secret) + { + $this->credentials->setSecretKey($secret); + + return $this; + } + + /** + * {@inheritdoc} + */ + public function setSecurityToken($token) + { + $this->credentials->setSecurityToken($token); + + return $this; + } + + /** + * {@inheritdoc} + */ + public function setExpiration($timestamp) + { + $this->credentials->setExpiration($timestamp); + + return $this; + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Aws/Common/Credentials/AbstractRefreshableCredentials.php b/apps/files_external/3rdparty/aws-sdk-php/Aws/Common/Credentials/AbstractRefreshableCredentials.php new file mode 100644 index 0000000000..235bf9deef --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Aws/Common/Credentials/AbstractRefreshableCredentials.php @@ -0,0 +1,76 @@ +credentials->isExpired()) { + $this->refresh(); + } + + return $this->credentials->getAccessKeyId(); + } + + /** + * {@inheritdoc} + */ + public function getSecretKey() + { + if ($this->credentials->isExpired()) { + $this->refresh(); + } + + return $this->credentials->getSecretKey(); + } + + /** + * {@inheritdoc} + */ + public function getSecurityToken() + { + if ($this->credentials->isExpired()) { + $this->refresh(); + } + + return $this->credentials->getSecurityToken(); + } + + /** + * {@inheritdoc} + */ + public function serialize() + { + if ($this->credentials->isExpired()) { + $this->refresh(); + } + + return $this->credentials->serialize(); + } + + /** + * Attempt to get new credentials + */ + abstract protected function refresh(); +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Aws/Common/Credentials/CacheableCredentials.php b/apps/files_external/3rdparty/aws-sdk-php/Aws/Common/Credentials/CacheableCredentials.php new file mode 100644 index 0000000000..fbebf7815b --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Aws/Common/Credentials/CacheableCredentials.php @@ -0,0 +1,73 @@ +credentials = $credentials; + $this->cache = $cache; + $this->cacheKey = $cacheKey; + } + + /** + * Attempt to get new credentials from cache or from the adapted object + */ + protected function refresh() + { + if (!$cache = $this->cache->fetch($this->cacheKey)) { + // The credentials were not found, so try again and cache if new + $this->credentials->getAccessKeyId(); + if (!$this->credentials->isExpired()) { + // The credentials were updated, so cache them + $this->cache->save($this->cacheKey, $this->credentials, $this->credentials->getExpiration() - time()); + } + } else { + // The credentials were found in cache, so update the adapter object + // if the cached credentials are not expired + if (!$cache->isExpired()) { + $this->credentials->setAccessKeyId($cache->getAccessKeyId()); + $this->credentials->setSecretKey($cache->getSecretKey()); + $this->credentials->setSecurityToken($cache->getSecurityToken()); + $this->credentials->setExpiration($cache->getExpiration()); + } + } + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Aws/Common/Credentials/Credentials.php b/apps/files_external/3rdparty/aws-sdk-php/Aws/Common/Credentials/Credentials.php new file mode 100644 index 0000000000..dfb19c9422 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Aws/Common/Credentials/Credentials.php @@ -0,0 +1,276 @@ + null, + Options::SECRET => null, + Options::TOKEN => null, + Options::TOKEN_TTD => null, + Options::CREDENTIALS_CACHE => null, + Options::CREDENTIALS_CACHE_KEY => null, + Options::CREDENTIALS_CLIENT => null + ); + } + + /** + * Factory method for creating new credentials. This factory method will + * create the appropriate credentials object with appropriate decorators + * based on the passed configuration options. + * + * @param array $config Options to use when instantiating the credentials + * + * @return CredentialsInterface + * @throws InvalidArgumentException If the caching options are invalid + * @throws RuntimeException If using the default cache and APC is disabled + */ + public static function factory($config = array()) + { + // Add default key values + foreach (self::getConfigDefaults() as $key => $value) { + if (!isset($config[$key])) { + $config[$key] = $value; + } + } + + // Start tracking the cache key + $cacheKey = $config[Options::CREDENTIALS_CACHE_KEY]; + + // Create the credentials object + if (!$config[Options::KEY] || !$config[Options::SECRET]) { + // No keys were provided, so attempt to retrieve some from the environment + $envKey = isset($_SERVER[self::ENV_KEY]) ? $_SERVER[self::ENV_KEY] : getenv(self::ENV_KEY); + $envSecret = isset($_SERVER[self::ENV_SECRET]) ? $_SERVER[self::ENV_SECRET] : getenv(self::ENV_SECRET); + if ($envKey && $envSecret) { + // Use credentials set in the environment variables + $credentials = new static($envKey, $envSecret); + } else { + // Use instance profile credentials (available on EC2 instances) + $credentials = new RefreshableInstanceProfileCredentials( + new static('', '', '', 1), + $config[Options::CREDENTIALS_CLIENT] + ); + } + // If no cache key was set, use the crc32 hostname of the server + $cacheKey = $cacheKey ?: 'credentials_' . crc32(gethostname()); + } else { + // Instantiate using short or long term credentials + $credentials = new static( + $config[Options::KEY], + $config[Options::SECRET], + $config[Options::TOKEN], + $config[Options::TOKEN_TTD] + ); + // If no cache key was set, use the access key ID + $cacheKey = $cacheKey ?: 'credentials_' . $config[Options::KEY]; + } + + // Check if the credentials are refreshable, and if so, configure caching + $cache = $config[Options::CREDENTIALS_CACHE]; + if ($cacheKey && $cache) { + if ($cache === 'true' || $cache === true) { + // If no cache adapter was provided, then create one for the user + // @codeCoverageIgnoreStart + if (!extension_loaded('apc')) { + throw new RequiredExtensionNotLoadedException('PHP has not been compiled with APC. Unable to cache ' + . 'the credentials.'); + } elseif (!class_exists('Doctrine\Common\Cache\ApcCache')) { + throw new RuntimeException( + 'Cannot set ' . Options::CREDENTIALS_CACHE . ' to true because the Doctrine cache component is ' + . 'not installed. Either install doctrine/cache or pass in an instantiated ' + . 'Guzzle\Cache\CacheAdapterInterface object' + ); + } + // @codeCoverageIgnoreEnd + $cache = new DoctrineCacheAdapter(new \Doctrine\Common\Cache\ApcCache()); + } elseif (!($cache instanceof CacheAdapterInterface)) { + throw new InvalidArgumentException('Unable to utilize caching with the specified options'); + } + // Decorate the credentials with a cache + $credentials = new CacheableCredentials($credentials, $cache, $cacheKey); + } + + return $credentials; + } + + /** + * Constructs a new BasicAWSCredentials object, with the specified AWS + * access key and AWS secret key + * + * @param string $accessKeyId AWS access key ID + * @param string $secretAccessKey AWS secret access key + * @param string $token Security token to use + * @param int $expiration UNIX timestamp for when credentials expire + */ + public function __construct($accessKeyId, $secretAccessKey, $token = null, $expiration = null) + { + $this->key = trim($accessKeyId); + $this->secret = trim($secretAccessKey); + $this->token = $token; + $this->ttd = $expiration; + } + + /** + * {@inheritdoc} + */ + public function serialize() + { + return json_encode(array( + Options::KEY => $this->key, + Options::SECRET => $this->secret, + Options::TOKEN => $this->token, + Options::TOKEN_TTD => $this->ttd + )); + } + + /** + * {@inheritdoc} + */ + public function unserialize($serialized) + { + $data = json_decode($serialized, true); + $this->key = $data[Options::KEY]; + $this->secret = $data[Options::SECRET]; + $this->token = $data[Options::TOKEN]; + $this->ttd = $data[Options::TOKEN_TTD]; + } + + /** + * {@inheritdoc} + */ + public function getAccessKeyId() + { + return $this->key; + } + + /** + * {@inheritdoc} + */ + public function getSecretKey() + { + return $this->secret; + } + + /** + * {@inheritdoc} + */ + public function getSecurityToken() + { + return $this->token; + } + + /** + * {@inheritdoc} + */ + public function getExpiration() + { + return $this->ttd; + } + + /** + * {@inheritdoc} + */ + public function isExpired() + { + return $this->ttd !== null && time() >= $this->ttd; + } + + /** + * {@inheritdoc} + */ + public function setAccessKeyId($key) + { + $this->key = $key; + + return $this; + } + + /** + * {@inheritdoc} + */ + public function setSecretKey($secret) + { + $this->secret = $secret; + + return $this; + } + + /** + * {@inheritdoc} + */ + public function setSecurityToken($token) + { + $this->token = $token; + + return $this; + } + + /** + * {@inheritdoc} + */ + public function setExpiration($timestamp) + { + $this->ttd = $timestamp; + + return $this; + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Aws/Common/Credentials/CredentialsInterface.php b/apps/files_external/3rdparty/aws-sdk-php/Aws/Common/Credentials/CredentialsInterface.php new file mode 100644 index 0000000000..dd4303767a --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Aws/Common/Credentials/CredentialsInterface.php @@ -0,0 +1,96 @@ +credentials = $credentials; + $this->client = $client ?: InstanceMetadataClient::factory(); + } + + /** + * Attempt to get new credentials from the instance profile + * + * @throws InstanceProfileCredentialsException On error + */ + protected function refresh() + { + $credentials = $this->client->getInstanceProfileCredentials(); + // Expire the token 1 minute before it actually expires to pre-fetch before expiring + $this->credentials->setAccessKeyId($credentials->getAccessKeyId()) + ->setSecretKey($credentials->getSecretKey()) + ->setSecurityToken($credentials->getSecurityToken()) + ->setExpiration($credentials->getExpiration()); + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Aws/Common/Enum.php b/apps/files_external/3rdparty/aws-sdk-php/Aws/Common/Enum.php new file mode 100644 index 0000000000..7f4d35672b --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Aws/Common/Enum.php @@ -0,0 +1,55 @@ +getConstants(); + } + + return self::$cache[$class]; + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Aws/Common/Enum/ClientOptions.php b/apps/files_external/3rdparty/aws-sdk-php/Aws/Common/Enum/ClientOptions.php new file mode 100644 index 0000000000..5a94adcffc --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Aws/Common/Enum/ClientOptions.php @@ -0,0 +1,146 @@ +factory = $factory; + } + + /** + * {@inheritdoc} + */ + public static function getSubscribedEvents() + { + return array('request.error' => array('onRequestError', -1)); + } + + /** + * Throws a more meaningful request exception if available + * + * @param Event $event Event emitted + */ + public function onRequestError(Event $event) + { + $e = $this->factory->fromResponse($event['request'], $event['response']); + $event->stopPropagation(); + throw $e; + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Aws/Common/Exception/InstanceProfileCredentialsException.php b/apps/files_external/3rdparty/aws-sdk-php/Aws/Common/Exception/InstanceProfileCredentialsException.php new file mode 100644 index 0000000000..fb1dcf1dc3 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Aws/Common/Exception/InstanceProfileCredentialsException.php @@ -0,0 +1,50 @@ +statusCode = $code; + } + + /** + * Get the error response code from the service + * + * @return string|null + */ + public function getStatusCode() + { + return $this->statusCode; + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Aws/Common/Exception/InvalidArgumentException.php b/apps/files_external/3rdparty/aws-sdk-php/Aws/Common/Exception/InvalidArgumentException.php new file mode 100644 index 0000000000..4360a00847 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Aws/Common/Exception/InvalidArgumentException.php @@ -0,0 +1,22 @@ +getMessage(), + 0, + $exception + ); + + $this->state = $state; + } + + /** + * Get the state of the transfer + * + * @return TransferStateInterface + */ + public function getState() + { + return $this->state; + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Aws/Common/Exception/NamespaceExceptionFactory.php b/apps/files_external/3rdparty/aws-sdk-php/Aws/Common/Exception/NamespaceExceptionFactory.php new file mode 100644 index 0000000000..6489069430 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Aws/Common/Exception/NamespaceExceptionFactory.php @@ -0,0 +1,103 @@ +parser = $parser; + $this->baseNamespace = $baseNamespace; + $this->defaultException = $defaultException; + } + + /** + * {@inheritdoc} + */ + public function fromResponse(RequestInterface $request, Response $response) + { + $parts = $this->parser->parse($request, $response); + + // Removing leading 'AWS.' and embedded periods + $className = $this->baseNamespace . '\\' . str_replace(array('AWS.', '.'), '', $parts['code']); + if (substr($className, -9) !== 'Exception') { + $className .= 'Exception'; + } + + $className = class_exists($className) ? $className : $this->defaultException; + + return $this->createException($className, $request, $response, $parts); + } + + /** + * Create an prepare an exception object + * + * @param string $className Name of the class to create + * @param RequestInterface $request Request + * @param Response $response Response received + * @param array $parts Parsed exception data + * + * @return \Exception + */ + protected function createException($className, RequestInterface $request, Response $response, array $parts) + { + $class = new $className($parts['message']); + + if ($class instanceof ServiceResponseException) { + $class->setExceptionCode($parts['code']); + $class->setExceptionType($parts['type']); + $class->setResponse($response); + $class->setRequest($request); + $class->setRequestId($parts['request_id']); + } + + return $class; + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Aws/Common/Exception/OutOfBoundsException.php b/apps/files_external/3rdparty/aws-sdk-php/Aws/Common/Exception/OutOfBoundsException.php new file mode 100644 index 0000000000..6738c0c3ee --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Aws/Common/Exception/OutOfBoundsException.php @@ -0,0 +1,22 @@ + null, + 'message' => null, + 'type' => $response->isClientError() ? 'client' : 'server', + 'request_id' => (string) $response->getHeader('x-amzn-RequestId'), + 'parsed' => null + ); + + // Parse the json and normalize key casings + if (null !== $json = json_decode($response->getBody(true), true)) { + $data['parsed'] = array_change_key_case($json); + } + + // Do additional, protocol-specific parsing and return the result + $data = $this->doParse($data, $response); + + // Remove "Fault" suffix from exception names + if (isset($data['code']) && strpos($data['code'], 'Fault')) { + $data['code'] = preg_replace('/^([a-zA-Z]+)Fault$/', '$1', $data['code']); + } + + return $data; + } + + /** + * Pull relevant exception data out of the parsed json + * + * @param array $data The exception data + * @param Response $response The response from the service containing the error + * + * @return array + */ + abstract protected function doParse(array $data, Response $response); +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Aws/Common/Exception/Parser/DefaultXmlExceptionParser.php b/apps/files_external/3rdparty/aws-sdk-php/Aws/Common/Exception/Parser/DefaultXmlExceptionParser.php new file mode 100644 index 0000000000..a9fda69d82 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Aws/Common/Exception/Parser/DefaultXmlExceptionParser.php @@ -0,0 +1,100 @@ + null, + 'message' => null, + 'type' => $response->isClientError() ? 'client' : 'server', + 'request_id' => null, + 'parsed' => null + ); + + if ($body = $response->getBody(true)) { + $this->parseBody(new \SimpleXMLElement($body), $data); + } else { + $this->parseHeaders($request, $response, $data); + } + + return $data; + } + + /** + * Parses additional exception information from the response headers + * + * @param RequestInterface $request Request that was issued + * @param Response $response The response from the request + * @param array $data The current set of exception data + */ + protected function parseHeaders(RequestInterface $request, Response $response, array &$data) + { + $data['message'] = $response->getStatusCode() . ' ' . $response->getReasonPhrase(); + if ($requestId = $response->getHeader('x-amz-request-id')) { + $data['request_id'] = $requestId; + $data['message'] .= " (Request-ID: $requestId)"; + } + } + + /** + * Parses additional exception information from the response body + * + * @param \SimpleXMLElement $body The response body as XML + * @param array $data The current set of exception data + */ + protected function parseBody(\SimpleXMLElement $body, array &$data) + { + $data['parsed'] = $body; + + $namespaces = $body->getDocNamespaces(); + if (isset($namespaces[''])) { + // Account for the default namespace being defined and PHP not being able to handle it :( + $body->registerXPathNamespace('ns', $namespaces['']); + $prefix = 'ns:'; + } else { + $prefix = ''; + } + + if ($tempXml = $body->xpath("//{$prefix}Code[1]")) { + $data['code'] = (string) $tempXml[0]; + } + + if ($tempXml = $body->xpath("//{$prefix}Message[1]")) { + $data['message'] = (string) $tempXml[0]; + } + + $tempXml = $body->xpath("//{$prefix}RequestId[1]"); + if (empty($tempXml)) { + $tempXml = $body->xpath("//{$prefix}RequestID[1]"); + } + if (isset($tempXml[0])) { + $data['request_id'] = (string) $tempXml[0]; + } + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Aws/Common/Exception/Parser/ExceptionParserInterface.php b/apps/files_external/3rdparty/aws-sdk-php/Aws/Common/Exception/Parser/ExceptionParserInterface.php new file mode 100644 index 0000000000..1b25d96f1f --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Aws/Common/Exception/Parser/ExceptionParserInterface.php @@ -0,0 +1,42 @@ +getHeader('x-amzn-ErrorType')) { + $data['code'] = substr($code, 0, strpos($code, ':')); + } + + return $data; + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Aws/Common/Exception/RequiredExtensionNotLoadedException.php b/apps/files_external/3rdparty/aws-sdk-php/Aws/Common/Exception/RequiredExtensionNotLoadedException.php new file mode 100644 index 0000000000..c4a072ca48 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Aws/Common/Exception/RequiredExtensionNotLoadedException.php @@ -0,0 +1,22 @@ +exceptionCode = $code; + } + + /** + * Get the exception code + * + * @return string|null + */ + public function getExceptionCode() + { + return $this->exceptionCode; + } + + /** + * Set the exception type + * + * @param string $type Exception type + */ + public function setExceptionType($type) + { + $this->exceptionType = $type; + } + + /** + * Get the exception type (one of client or server) + * + * @return string|null + */ + public function getExceptionType() + { + return $this->exceptionType; + } + + /** + * Set the request ID + * + * @param string $id Request ID + */ + public function setRequestId($id) + { + $this->requestId = $id; + } + + /** + * Get the Request ID + * + * @return string|null + */ + public function getRequestId() + { + return $this->requestId; + } + + /** + * Set the associated response + * + * @param Response $response Response + */ + public function setResponse(Response $response) + { + $this->response = $response; + } + + /** + * Get the associated response object + * + * @return Response|null + */ + public function getResponse() + { + return $this->response; + } + + /** + * Set the associated request + * + * @param RequestInterface $request + */ + public function setRequest(RequestInterface $request) + { + $this->request = $request; + } + + /** + * Get the associated request object + * + * @return RequestInterface|null + */ + public function getRequest() + { + return $this->request; + } + + /** + * Get the status code of the response + * + * @return int|null + */ + public function getStatusCode() + { + return $this->response ? $this->response->getStatusCode() : null; + } + + /** + * Cast to a string + * + * @return string + */ + public function __toString() + { + $message = get_class($this) . ': ' + . 'AWS Error Code: ' . $this->getExceptionCode() . ', ' + . 'Status Code: ' . $this->getStatusCode() . ', ' + . 'AWS Request ID: ' . $this->getRequestId() . ', ' + . 'AWS Error Type: ' . $this->getExceptionType() . ', ' + . 'AWS Error Message: ' . $this->getMessage(); + + // Add the User-Agent if available + if ($this->request) { + $message .= ', ' . 'User-Agent: ' . $this->request->getHeader('User-Agent'); + } + + return $message; + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Aws/Common/Exception/UnexpectedValueException.php b/apps/files_external/3rdparty/aws-sdk-php/Aws/Common/Exception/UnexpectedValueException.php new file mode 100644 index 0000000000..2de6fc6f71 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Aws/Common/Exception/UnexpectedValueException.php @@ -0,0 +1,22 @@ +getConfig() as $service) { + if (isset($service['alias'], $service['class'])) { + $facadeClass = __NAMESPACE__ . '\\' . $service['alias']; + $facadeAlias = ltrim($targetNamespace . '\\' . $service['alias'], '\\'); + if (!class_exists($facadeAlias)) { + // @codeCoverageIgnoreStart + class_alias($facadeClass, $facadeAlias); + // @codeCoverageIgnoreEnd + } + } + } + } + + /** + * Returns the instance of the client that the facade operates on + * + * @return \Aws\Common\Client\AwsClientInterface + */ + public static function getClient() + { + return self::$serviceBuilder->get(static::getServiceBuilderKey()); + } + + public static function __callStatic($method, $args) + { + return call_user_func_array(array(self::getClient(), $method), $args); + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Aws/Common/Facade/FacadeInterface.php b/apps/files_external/3rdparty/aws-sdk-php/Aws/Common/Facade/FacadeInterface.php new file mode 100644 index 0000000000..b1325bbd29 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Aws/Common/Facade/FacadeInterface.php @@ -0,0 +1,32 @@ +context = hash_init($algorithm); + } + + /** + * {@inheritdoc} + */ + public function addData($data) + { + if (!$this->context) { + throw new LogicException('You may not add more data to a finalized chunk hash.'); + } + + hash_update($this->context, $data); + + return $this; + } + + /** + * {@inheritdoc} + */ + public function getHash($returnBinaryForm = false) + { + if (!$this->hash) { + $this->hashRaw = hash_final($this->context, true); + $this->hash = HashUtils::binToHex($this->hashRaw); + $this->context = null; + } + + return $returnBinaryForm ? $this->hashRaw : $this->hash; + } + + /** + * {@inheritdoc} + */ + public function __clone() + { + if ($this->context) { + $this->context = hash_copy($this->context); + } + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Aws/Common/Hash/ChunkHashInterface.php b/apps/files_external/3rdparty/aws-sdk-php/Aws/Common/Hash/ChunkHashInterface.php new file mode 100644 index 0000000000..5fcf9a5643 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Aws/Common/Hash/ChunkHashInterface.php @@ -0,0 +1,52 @@ +checksums = $inBinaryForm ? $checksums : array_map('Aws\Common\Hash\HashUtils::hexToBin', $checksums); + + // Pre-calculate hash + $treeHash->getHash(); + + return $treeHash; + } + + /** + * Create a tree hash from a content body + * + * @param string|resource|EntityBody $content Content to create a tree hash for + * @param string $algorithm A valid hash algorithm name as returned by `hash_algos()` + * + * @return TreeHash + */ + public static function fromContent($content, $algorithm = self::DEFAULT_ALGORITHM) + { + $treeHash = new self($algorithm); + + // Read the data in 1MB chunks and add to tree hash + $content = EntityBody::factory($content); + while ($data = $content->read(Size::MB)) { + $treeHash->addData($data); + } + + // Pre-calculate hash + $treeHash->getHash(); + + return $treeHash; + } + + /** + * Validates an entity body with a tree hash checksum + * + * @param string|resource|EntityBody $content Content to create a tree hash for + * @param string $checksum The checksum to use for validation + * @param string $algorithm A valid hash algorithm name as returned by `hash_algos()` + * + * @return bool + */ + public static function validateChecksum($content, $checksum, $algorithm = self::DEFAULT_ALGORITHM) + { + $treeHash = self::fromContent($content, $algorithm); + + return ($checksum === $treeHash->getHash()); + } + + /** + * {@inheritdoc} + */ + public function __construct($algorithm = self::DEFAULT_ALGORITHM) + { + HashUtils::validateAlgorithm($algorithm); + $this->algorithm = $algorithm; + } + + /** + * {@inheritdoc} + * @throws LogicException if the root tree hash is already calculated + * @throws InvalidArgumentException if the data is larger than 1MB + */ + public function addData($data) + { + // Error if hash is already calculated + if ($this->hash) { + throw new LogicException('You may not add more data to a finalized tree hash.'); + } + + // Make sure that only 1MB chunks or smaller get passed in + if (strlen($data) > Size::MB) { + throw new InvalidArgumentException('The chunk of data added is too large for tree hashing.'); + } + + // Store the raw hash of this data segment + $this->checksums[] = hash($this->algorithm, $data, true); + + return $this; + } + + /** + * Add a checksum to the tree hash directly + * + * @param string $checksum The checksum to add + * @param bool $inBinaryForm Whether or not the checksum is already in binary form + * + * @return self + * @throws LogicException if the root tree hash is already calculated + */ + public function addChecksum($checksum, $inBinaryForm = false) + { + // Error if hash is already calculated + if ($this->hash) { + throw new LogicException('You may not add more checksums to a finalized tree hash.'); + } + + // Convert the checksum to binary form if necessary + $this->checksums[] = $inBinaryForm ? $checksum : HashUtils::hexToBin($checksum); + + return $this; + } + + /** + * {@inheritdoc} + */ + public function getHash($returnBinaryForm = false) + { + if (!$this->hash) { + // Perform hashes up the tree to arrive at the root checksum of the tree hash + $hashes = $this->checksums; + while (count($hashes) > 1) { + $sets = array_chunk($hashes, 2); + $hashes = array(); + foreach ($sets as $set) { + $hashes[] = (count($set) === 1) ? $set[0] : hash($this->algorithm, $set[0] . $set[1], true); + } + } + + $this->hashRaw = $hashes[0]; + $this->hash = HashUtils::binToHex($this->hashRaw); + } + + return $returnBinaryForm ? $this->hashRaw : $this->hash; + } + + /** + * @return array Array of raw checksums composing the tree hash + */ + public function getChecksums() + { + return $this->checksums; + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Aws/Common/HostNameUtils.php b/apps/files_external/3rdparty/aws-sdk-php/Aws/Common/HostNameUtils.php new file mode 100644 index 0000000000..460bc770a1 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Aws/Common/HostNameUtils.php @@ -0,0 +1,85 @@ +getHost(), -14) != '.amazonaws.com') { + return self::DEFAULT_REGION; + } + + $serviceAndRegion = substr($url->getHost(), 0, -14); + // Special handling for S3 regions + $separator = strpos($serviceAndRegion, 's3') === 0 ? '-' : '.'; + $separatorPos = strpos($serviceAndRegion, $separator); + + // If don't detect a separator, then return the default region + if ($separatorPos === false) { + return self::DEFAULT_REGION; + } + + $region = substr($serviceAndRegion, $separatorPos + 1); + + // All GOV regions currently use the default GOV region + if ($region == 'us-gov') { + return self::DEFAULT_GOV_REGION; + } + + return $region; + } + + /** + * Parse the AWS service name from a URL + * + * @param Url $url HTTP URL + * + * @return string Returns a service name (or empty string) + * @link http://docs.amazonwebservices.com/general/latest/gr/rande.html + */ + public static function parseServiceName(Url $url) + { + // The service name is the first part of the host + $parts = explode('.', $url->getHost(), 2); + + // Special handling for S3 + if (stripos($parts[0], 's3') === 0) { + return 's3'; + } + + return $parts[0]; + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Aws/Common/InstanceMetadata/InstanceMetadataClient.php b/apps/files_external/3rdparty/aws-sdk-php/Aws/Common/InstanceMetadata/InstanceMetadataClient.php new file mode 100644 index 0000000000..4a2e633382 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Aws/Common/InstanceMetadata/InstanceMetadataClient.php @@ -0,0 +1,99 @@ + 'http://169.254.169.254/{version}/', + 'version' => 'latest', + ), array('base_url', 'version')); + + return new self($config); + } + + /** + * Constructor override + */ + public function __construct(Collection $config) + { + $this->setConfig($config); + $this->setBaseUrl($config->get(Options::BASE_URL)); + $this->defaultHeaders = new Collection(); + $this->setRequestFactory(RequestFactory::getInstance()); + } + + /** + * Get instance profile credentials + * + * @return Credentials + * @throws InstanceProfileCredentialsException + */ + public function getInstanceProfileCredentials() + { + try { + $request = $this->get('meta-data/iam/security-credentials/'); + $request->getCurlOptions()->set(CURLOPT_TIMEOUT, 1)->set(CURLOPT_CONNECTTIMEOUT, 1); + $credentials = trim($request->send()->getBody(true)); + $result = $this->get("meta-data/iam/security-credentials/{$credentials}")->send()->json(); + } catch (\Exception $e) { + $message = 'Error retrieving credentials from the instance profile metadata server. When you are not' + . ' running inside of Amazon EC2, you must provide your AWS access key ID and secret access key in' + . ' the "key" and "secret" options when creating a client or provide an instantiated' + . ' Aws\\Common\\Credentials\\CredentialsInterface object.'; + throw new InstanceProfileCredentialsException($message, $e->getCode(), $e); + } + + // Ensure that the status code was successful + if ($result['Code'] !== 'Success') { + $e = new InstanceProfileCredentialsException('Unexpected response code: ' . $result['Code']); + $e->setStatusCode($result['Code']); + throw $e; + } + + return new Credentials( + $result['AccessKeyId'], + $result['SecretAccessKey'], + $result['Token'], + strtotime($result['Expiration']) + ); + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Aws/Common/InstanceMetadata/Waiter/ServiceAvailable.php b/apps/files_external/3rdparty/aws-sdk-php/Aws/Common/InstanceMetadata/Waiter/ServiceAvailable.php new file mode 100644 index 0000000000..ac305c3d91 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Aws/Common/InstanceMetadata/Waiter/ServiceAvailable.php @@ -0,0 +1,50 @@ +client->get(); + try { + $request->getCurlOptions()->set(CURLOPT_CONNECTTIMEOUT, 10) + ->set(CURLOPT_TIMEOUT, 10); + $request->send(); + + return true; + } catch (CurlException $e) { + return false; + } + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Aws/Common/Iterator/AwsResourceIterator.php b/apps/files_external/3rdparty/aws-sdk-php/Aws/Common/Iterator/AwsResourceIterator.php new file mode 100644 index 0000000000..a384617b51 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Aws/Common/Iterator/AwsResourceIterator.php @@ -0,0 +1,149 @@ +lastResult; + } + + /** + * {@inheritdoc} + * This AWS specific version of the resource iterator provides a default implementation of the typical AWS iterator + * process. It relies on configuration and extension to implement the operation-specific logic of handling results + * and nextTokens. This method will loop until resources are acquired or there are no more iterations available. + */ + protected function sendRequest() + { + do { + // Prepare the request including setting the next token + $this->prepareRequest(); + if ($this->nextToken) { + $this->applyNextToken(); + } + + // Execute the request and handle the results + $this->command->add(Ua::OPTION, Ua::ITERATOR); + $this->lastResult = $this->command->getResult(); + $resources = $this->handleResults($this->lastResult); + $this->determineNextToken($this->lastResult); + + // If no resources collected, prepare to reiterate before yielding + if ($reiterate = empty($resources) && $this->nextToken) { + $this->command = clone $this->originalCommand; + } + } while ($reiterate); + + return $resources; + } + + /** + * {@inheritdoc} + */ + protected function prepareRequest() + { + // Get the limit parameter key to set + $param = $this->get('limit_param'); + if ($param && ($limit = $this->command->get($param))) { + $pageSize = $this->calculatePageSize(); + + // If the limit of the command is different than the pageSize of the iterator, use the smaller value + if ($limit && $pageSize) { + $this->command->set('limit', min($limit, $pageSize)); + } + } + } + + /** + * {@inheritdoc} + */ + protected function handleResults(Model $result) + { + $results = array(); + + // Get the result key that contains the results + if ($resultKey = $this->get('result_key')) { + $results = $result->getPath($resultKey) ?: array(); + } + + return $results; + } + + /** + * {@inheritdoc} + */ + protected function applyNextToken() + { + // Get the token parameter key to set + if ($tokenParam = $this->get('token_param')) { + // Set the next token. Works with multi-value tokens + if (is_array($tokenParam)) { + if (is_array($this->nextToken) && count($tokenParam) === count($this->nextToken)) { + foreach (array_combine($tokenParam, $this->nextToken) as $param => $token) { + $this->command->set($param, $token); + } + } else { + throw new RuntimeException('The definition of the iterator\'s token parameter and the actual token ' + . 'value are not compatible.'); + } + } else { + $this->command->set($tokenParam, $this->nextToken); + } + } + } + + /** + * {@inheritdoc} + */ + protected function determineNextToken(Model $result) + { + $this->nextToken = null; + + // If the value of "more key" is true or there is no "more key" to check, then try to get the next token + $moreKey = $this->get('more_key'); + if ($moreKey === null || $result->getPath($moreKey)) { + // Get the token key to check + if ($tokenKey = $this->get('token_key')) { + // Get the next token's value. Works with multi-value tokens + $getToken = function ($key) use ($result) { + return $result->getPath((string) $key); + }; + $this->nextToken = is_array($tokenKey) ? array_map($getToken, $tokenKey) : $getToken($tokenKey); + } + } + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Aws/Common/Iterator/AwsResourceIteratorFactory.php b/apps/files_external/3rdparty/aws-sdk-php/Aws/Common/Iterator/AwsResourceIteratorFactory.php new file mode 100644 index 0000000000..1d4ac279d5 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Aws/Common/Iterator/AwsResourceIteratorFactory.php @@ -0,0 +1,101 @@ + null, + 'limit_param' => null, + 'more_key' => null, + 'token_key' => null, + 'token_param' => null, + 'operations' => array(), + ); + + /** + * @var Collection The configuration for the iterators + */ + protected $config; + + /** + * @var Collection Additional configurations for specific iterators + */ + protected $operations; + + /** + * @var ResourceIteratorFactoryInterface Another factory that will be used first to instantiate the iterator + */ + protected $primaryIteratorFactory; + + /** + * @param array $config An array of configuration values for the factory + * @param ResourceIteratorFactoryInterface $primaryIteratorFactory Another factory to use for chain of command + * + * @throws InvalidArgumentException + */ + public function __construct(array $config, ResourceIteratorFactoryInterface $primaryIteratorFactory = null) + { + $this->primaryIteratorFactory = $primaryIteratorFactory; + // Set up the config with default values + $this->config = Collection::fromConfig($config, self::$defaultConfig); + + // Pull out the operation-specific configurations + $this->operations = new Collection(); + $potentialOperations = $this->config->get('operations') ?: array(); + $this->config->remove('operations'); + foreach ($potentialOperations as $key => $value) { + if (is_int($key) && is_string($value)) { + $this->operations->set($value, array()); + } elseif (is_string($key) && is_array($value)) { + $this->operations->set($key, $value); + } else { + throw new InvalidArgumentException('The iterator factory configuration was invalid.'); + } + } + } + + /** + * {@inheritdoc} + */ + public function build(CommandInterface $command, array $options = array()) + { + // Get the configuration data for the command + $commandName = $command->getName(); + $iteratorConfig = $this->operations->get($commandName) ?: array(); + $options = array_replace($this->config->getAll(), $iteratorConfig, $options); + + // Instantiate the iterator using the primary factory (if there is one) + if ($this->primaryIteratorFactory && $this->primaryIteratorFactory->canBuild($command)) { + $iterator = $this->primaryIteratorFactory->build($command, $options); + } elseif (!$this->operations->hasKey($commandName)) { + throw new InvalidArgumentException("Iterator was not found for {$commandName}."); + } else { + // Fallback to this factory for creating the iterator if the primary factory did not work + $iterator = new AwsResourceIterator($command, $options); + } + + return $iterator; + } + + /** + * {@inheritdoc} + */ + public function canBuild(CommandInterface $command) + { + return ($this->primaryIteratorFactory && $this->primaryIteratorFactory->canBuild($command)) + || $this->operations->hasKey($command->getName()); + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Aws/Common/Model/MultipartUpload/AbstractTransfer.php b/apps/files_external/3rdparty/aws-sdk-php/Aws/Common/Model/MultipartUpload/AbstractTransfer.php new file mode 100644 index 0000000000..751b558d59 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Aws/Common/Model/MultipartUpload/AbstractTransfer.php @@ -0,0 +1,270 @@ +client = $client; + $this->state = $state; + $this->source = $source; + $this->options = $options; + + $this->init(); + + $this->partSize = $this->calculatePartSize(); + } + + public function __invoke() + { + return $this->upload(); + } + + /** + * {@inheritdoc} + */ + public static function getAllEvents() + { + return array( + self::BEFORE_PART_UPLOAD, + self::AFTER_UPLOAD, + self::BEFORE_PART_UPLOAD, + self::AFTER_PART_UPLOAD, + self::AFTER_ABORT, + self::AFTER_COMPLETE + ); + } + + /** + * {@inheritdoc} + */ + public function abort() + { + $command = $this->getAbortCommand(); + $result = $command->getResult(); + + $this->state->setAborted(true); + $this->stop(); + $this->dispatch(self::AFTER_ABORT, $this->getEventData($command)); + + return $result; + } + + /** + * {@inheritdoc} + */ + public function stop() + { + $this->stopped = true; + + return $this->state; + } + + /** + * {@inheritdoc} + */ + public function getState() + { + return $this->state; + } + + /** + * Get the array of options associated with the transfer + * + * @return array + */ + public function getOptions() + { + return $this->options; + } + + /** + * Set an option on the transfer + * + * @param string $option Name of the option + * @param mixed $value Value to set + * + * @return self + */ + public function setOption($option, $value) + { + $this->options[$option] = $value; + + return $this; + } + + /** + * Get the source body of the upload + * + * @return EntityBodyInterface + */ + public function getSource() + { + return $this->source; + } + + /** + * {@inheritdoc} + * @throws MultipartUploadException when an error is encountered. Use getLastException() to get more information. + * @throws RuntimeException when attempting to upload an aborted transfer + */ + public function upload() + { + if ($this->state->isAborted()) { + throw new RuntimeException('The transfer has been aborted and cannot be uploaded'); + } + + $this->stopped = false; + $eventData = $this->getEventData(); + $this->dispatch(self::BEFORE_UPLOAD, $eventData); + + try { + $this->transfer(); + $this->dispatch(self::AFTER_UPLOAD, $eventData); + + if ($this->stopped) { + return null; + } else { + $result = $this->complete(); + $this->dispatch(self::AFTER_COMPLETE, $eventData); + } + } catch (\Exception $e) { + throw new MultipartUploadException($this->state, $e); + } + + return $result; + } + + /** + * Get an array used for event notifications + * + * @param OperationCommand $command Command to include in event data + * + * @return array + */ + protected function getEventData(OperationCommand $command = null) + { + $data = array( + 'transfer' => $this, + 'source' => $this->source, + 'options' => $this->options, + 'client' => $this->client, + 'part_size' => $this->partSize, + 'state' => $this->state + ); + + if ($command) { + $data['command'] = $command; + } + + return $data; + } + + /** + * Hook to initialize the transfer + */ + protected function init() {} + + /** + * Determine the upload part size based on the size of the source data and + * taking into account the acceptable minimum and maximum part sizes. + * + * @return int The part size + */ + abstract protected function calculatePartSize(); + + /** + * Complete the multipart upload + * + * @return Model Returns the result of the complete multipart upload command + */ + abstract protected function complete(); + + /** + * Hook to implement in subclasses to perform the actual transfer + */ + abstract protected function transfer(); + + /** + * Fetches the abort command fom the concrete implementation + * + * @return OperationCommand + */ + abstract protected function getAbortCommand(); +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Aws/Common/Model/MultipartUpload/AbstractTransferState.php b/apps/files_external/3rdparty/aws-sdk-php/Aws/Common/Model/MultipartUpload/AbstractTransferState.php new file mode 100644 index 0000000000..06d6c84016 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Aws/Common/Model/MultipartUpload/AbstractTransferState.php @@ -0,0 +1,164 @@ +uploadId = $uploadId; + } + + /** + * {@inheritdoc} + */ + public function getUploadId() + { + return $this->uploadId; + } + + /** + * Get a data value from the transfer state's uploadId + * + * @param string $key Key to retrieve (e.g. Bucket, Key, UploadId, etc) + * + * @return string|null + */ + public function getFromId($key) + { + $params = $this->uploadId->toParams(); + + return isset($params[$key]) ? $params[$key] : null; + } + + /** + * {@inheritdoc} + */ + public function getPart($partNumber) + { + return isset($this->parts[$partNumber]) ? $this->parts[$partNumber] : null; + } + + /** + * {@inheritdoc} + */ + public function addPart(UploadPartInterface $part) + { + $partNumber = $part->getPartNumber(); + $this->parts[$partNumber] = $part; + + return $this; + } + + /** + * {@inheritdoc} + */ + public function hasPart($partNumber) + { + return isset($this->parts[$partNumber]); + } + + /** + * {@inheritdoc} + */ + public function getPartNumbers() + { + return array_keys($this->parts); + } + + /** + * {@inheritdoc} + */ + public function setAborted($aborted) + { + $this->aborted = (bool) $aborted; + + return $this; + } + + /** + * {@inheritdoc} + */ + public function isAborted() + { + return $this->aborted; + } + + /** + * {@inheritdoc} + */ + public function count() + { + return count($this->parts); + } + + /** + * {@inheritdoc} + */ + public function getIterator() + { + return new \ArrayIterator($this->parts); + } + + /** + * {@inheritdoc} + */ + public function serialize() + { + return serialize(get_object_vars($this)); + } + + /** + * {@inheritdoc} + */ + public function unserialize($serialized) + { + $data = unserialize($serialized); + foreach (get_object_vars($this) as $property => $oldValue) { + if (array_key_exists($property, $data)) { + $this->{$property} = $data[$property]; + } else { + throw new RuntimeException("The {$property} property could be restored during unserialization."); + } + } + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Aws/Common/Model/MultipartUpload/AbstractUploadBuilder.php b/apps/files_external/3rdparty/aws-sdk-php/Aws/Common/Model/MultipartUpload/AbstractUploadBuilder.php new file mode 100644 index 0000000000..a1ad678610 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Aws/Common/Model/MultipartUpload/AbstractUploadBuilder.php @@ -0,0 +1,148 @@ +client = $client; + + return $this; + } + + /** + * Set the state of the upload. This is useful for resuming from a previously started multipart upload. + * You must use a local file stream as the data source if you wish to resume from a previous upload. + * + * @param TransferStateInterface|string $state Pass a TransferStateInterface object or the ID of the initiated + * multipart upload. When an ID is passed, the builder will create a + * state object using the data from a ListParts API response. + * + * @return self + */ + public function resumeFrom($state) + { + $this->state = $state; + + return $this; + } + + /** + * Set the data source of the transfer + * + * @param resource|string|EntityBody $source Source of the transfer. Pass a string to transfer from a file on disk. + * You can also stream from a resource returned from fopen or a Guzzle + * {@see EntityBody} object. + * + * @return self + * @throws InvalidArgumentException when the source cannot be found or opened + */ + public function setSource($source) + { + // Use the contents of a file as the data source + if (is_string($source)) { + if (!file_exists($source)) { + throw new InvalidArgumentException("File does not exist: {$source}"); + } + // Clear the cache so that we send accurate file sizes + clearstatcache(true, $source); + $source = fopen($source, 'r'); + } + + $this->source = EntityBody::factory($source); + + if ($this->source->isSeekable() && $this->source->getSize() == 0) { + throw new InvalidArgumentException('Empty body provided to upload builder'); + } + + return $this; + } + + /** + * Specify the headers to set on the upload + * + * @param array $headers Headers to add to the uploaded object + * + * @return self + */ + public function setHeaders(array $headers) + { + $this->headers = $headers; + + return $this; + } + + /** + * Build the appropriate uploader based on the builder options + * + * @return TransferInterface + */ + abstract public function build(); + + /** + * Initiate the multipart upload + * + * @return TransferStateInterface + */ + abstract protected function initiateMultipartUpload(); +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Aws/Common/Model/MultipartUpload/AbstractUploadId.php b/apps/files_external/3rdparty/aws-sdk-php/Aws/Common/Model/MultipartUpload/AbstractUploadId.php new file mode 100644 index 0000000000..da7952164c --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Aws/Common/Model/MultipartUpload/AbstractUploadId.php @@ -0,0 +1,89 @@ +loadData($data); + + return $uploadId; + } + + /** + * {@inheritdoc} + */ + public function toParams() + { + return $this->data; + } + + /** + * {@inheritdoc} + */ + public function serialize() + { + return serialize($this->data); + } + + /** + * {@inheritdoc} + */ + public function unserialize($serialized) + { + $this->loadData(unserialize($serialized)); + } + + /** + * Loads an array of data into the UploadId by extracting only the needed keys + * + * @param array $data Data to load + * + * @throws InvalidArgumentException if a required key is missing + */ + protected function loadData($data) + { + $data = array_replace(static::$expectedValues, array_intersect_key($data, static::$expectedValues)); + foreach ($data as $key => $value) { + if (isset($data[$key])) { + $this->data[$key] = $data[$key]; + } else { + throw new InvalidArgumentException("A required key [$key] was missing from the UploadId."); + } + } + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Aws/Common/Model/MultipartUpload/AbstractUploadPart.php b/apps/files_external/3rdparty/aws-sdk-php/Aws/Common/Model/MultipartUpload/AbstractUploadPart.php new file mode 100644 index 0000000000..1cf4c6d4fa --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Aws/Common/Model/MultipartUpload/AbstractUploadPart.php @@ -0,0 +1,101 @@ +loadData($data); + + return $part; + } + + /** + * {@inheritdoc} + */ + public function getPartNumber() + { + return $this->partNumber; + } + + /** + * {@inheritdoc} + */ + public function toArray() + { + $array = array(); + foreach (static::$keyMap as $key => $property) { + $array[$key] = $this->{$property}; + } + + return $array; + } + + /** + * {@inheritdoc} + */ + public function serialize() + { + return serialize($this->toArray()); + } + + /** + * {@inheritdoc} + */ + public function unserialize($serialized) + { + $this->loadData(unserialize($serialized)); + } + + /** + * Loads an array of data into the upload part by extracting only the needed keys + * + * @param array|\Traversable $data Data to load into the upload part value object + * + * @throws InvalidArgumentException if a required key is missing + */ + protected function loadData($data) + { + foreach (static::$keyMap as $key => $property) { + if (isset($data[$key])) { + $this->{$property} = $data[$key]; + } else { + throw new InvalidArgumentException("A required key [$key] was missing from the upload part."); + } + } + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Aws/Common/Model/MultipartUpload/TransferInterface.php b/apps/files_external/3rdparty/aws-sdk-php/Aws/Common/Model/MultipartUpload/TransferInterface.php new file mode 100644 index 0000000000..1fc1ae9bb9 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Aws/Common/Model/MultipartUpload/TransferInterface.php @@ -0,0 +1,66 @@ + 'Aws\Common\Aws', + 'services' => array( + + 'default_settings' => array( + 'params' => array() + ), + + 'autoscaling' => array( + 'alias' => 'AutoScaling', + 'extends' => 'default_settings', + 'class' => 'Aws\AutoScaling\AutoScalingClient' + ), + + 'cloudformation' => array( + 'alias' => 'CloudFormation', + 'extends' => 'default_settings', + 'class' => 'Aws\CloudFormation\CloudFormationClient' + ), + + 'cloudfront' => array( + 'alias' => 'CloudFront', + 'extends' => 'default_settings', + 'class' => 'Aws\CloudFront\CloudFrontClient' + ), + + 'cloudfront_20120505' => array( + 'extends' => 'cloudfront', + 'params' => array( + 'version' => '2012-05-05' + ) + ), + + 'cloudsearch' => array( + 'alias' => 'CloudSearch', + 'extends' => 'default_settings', + 'class' => 'Aws\CloudSearch\CloudSearchClient' + ), + + 'cloudwatch' => array( + 'alias' => 'CloudWatch', + 'extends' => 'default_settings', + 'class' => 'Aws\CloudWatch\CloudWatchClient' + ), + + 'datapipeline' => array( + 'alias' => 'DataPipeline', + 'extends' => 'default_settings', + 'class' => 'Aws\DataPipeline\DataPipelineClient' + ), + + 'directconnect' => array( + 'alias' => 'DirectConnect', + 'extends' => 'default_settings', + 'class' => 'Aws\DirectConnect\DirectConnectClient' + ), + + 'dynamodb' => array( + 'alias' => 'DynamoDb', + 'extends' => 'default_settings', + 'class' => 'Aws\DynamoDb\DynamoDbClient' + ), + + 'dynamodb_20111205' => array( + 'extends' => 'dynamodb', + 'params' => array( + 'version' => '2011-12-05' + ) + ), + + 'ec2' => array( + 'alias' => 'Ec2', + 'extends' => 'default_settings', + 'class' => 'Aws\Ec2\Ec2Client' + ), + + 'elasticache' => array( + 'alias' => 'ElastiCache', + 'extends' => 'default_settings', + 'class' => 'Aws\ElastiCache\ElastiCacheClient' + ), + + 'elasticbeanstalk' => array( + 'alias' => 'ElasticBeanstalk', + 'extends' => 'default_settings', + 'class' => 'Aws\ElasticBeanstalk\ElasticBeanstalkClient' + ), + + 'elasticloadbalancing' => array( + 'alias' => 'ElasticLoadBalancing', + 'extends' => 'default_settings', + 'class' => 'Aws\ElasticLoadBalancing\ElasticLoadBalancingClient' + ), + + 'elastictranscoder' => array( + 'alias' => 'ElasticTranscoder', + 'extends' => 'default_settings', + 'class' => 'Aws\ElasticTranscoder\ElasticTranscoderClient' + ), + + 'emr' => array( + 'alias' => 'Emr', + 'extends' => 'default_settings', + 'class' => 'Aws\Emr\EmrClient' + ), + + 'glacier' => array( + 'alias' => 'Glacier', + 'extends' => 'default_settings', + 'class' => 'Aws\Glacier\GlacierClient' + ), + + 'iam' => array( + 'alias' => 'Iam', + 'extends' => 'default_settings', + 'class' => 'Aws\Iam\IamClient' + ), + + 'importexport' => array( + 'alias' => 'ImportExport', + 'extends' => 'default_settings', + 'class' => 'Aws\ImportExport\ImportExportClient' + ), + + 'opsworks' => array( + 'alias' => 'OpsWorks', + 'extends' => 'default_settings', + 'class' => 'Aws\OpsWorks\OpsWorksClient' + ), + + 'rds' => array( + 'alias' => 'Rds', + 'extends' => 'default_settings', + 'class' => 'Aws\Rds\RdsClient' + ), + + 'redshift' => array( + 'alias' => 'Redshift', + 'extends' => 'default_settings', + 'class' => 'Aws\Redshift\RedshiftClient' + ), + + 'route53' => array( + 'alias' => 'Route53', + 'extends' => 'default_settings', + 'class' => 'Aws\Route53\Route53Client' + ), + + 's3' => array( + 'alias' => 'S3', + 'extends' => 'default_settings', + 'class' => 'Aws\S3\S3Client' + ), + + 'sdb' => array( + 'alias' => 'SimpleDb', + 'extends' => 'default_settings', + 'class' => 'Aws\SimpleDb\SimpleDbClient' + ), + + 'ses' => array( + 'alias' => 'Ses', + 'extends' => 'default_settings', + 'class' => 'Aws\Ses\SesClient' + ), + + 'sns' => array( + 'alias' => 'Sns', + 'extends' => 'default_settings', + 'class' => 'Aws\Sns\SnsClient' + ), + + 'sqs' => array( + 'alias' => 'Sqs', + 'extends' => 'default_settings', + 'class' => 'Aws\Sqs\SqsClient' + ), + + 'storagegateway' => array( + 'alias' => 'StorageGateway', + 'extends' => 'default_settings', + 'class' => 'Aws\StorageGateway\StorageGatewayClient' + ), + + 'sts' => array( + 'alias' => 'Sts', + 'extends' => 'default_settings', + 'class' => 'Aws\Sts\StsClient' + ), + + 'support' => array( + 'alias' => 'Support', + 'extends' => 'default_settings', + 'class' => 'Aws\Support\SupportClient' + ), + + 'swf' => array( + 'alias' => 'Swf', + 'extends' => 'default_settings', + 'class' => 'Aws\Swf\SwfClient' + ), + ) +); diff --git a/apps/files_external/3rdparty/aws-sdk-php/Aws/Common/Resources/sdk1-config.php b/apps/files_external/3rdparty/aws-sdk-php/Aws/Common/Resources/sdk1-config.php new file mode 100644 index 0000000000..a5121ab490 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Aws/Common/Resources/sdk1-config.php @@ -0,0 +1,138 @@ + array('_aws'), + 'services' => array( + + 'sdk1_settings' => array( + 'extends' => 'default_settings', + 'params' => array( + 'certificate_authority' => false + ) + ), + + 'v1.autoscaling' => array( + 'extends' => 'sdk1_settings', + 'class' => 'AmazonAS' + ), + + 'v1.cloudformation' => array( + 'extends' => 'sdk1_settings', + 'class' => 'AmazonCloudFormation' + ), + + 'v1.cloudfront' => array( + 'extends' => 'sdk1_settings', + 'class' => 'AmazonCloudFront' + ), + + 'v1.cloudsearch' => array( + 'extends' => 'sdk1_settings', + 'class' => 'AmazonCloudSearch' + ), + + 'v1.cloudwatch' => array( + 'extends' => 'sdk1_settings', + 'class' => 'AmazonCloudWatch' + ), + + 'v1.dynamodb' => array( + 'extends' => 'sdk1_settings', + 'class' => 'AmazonDynamoDB' + ), + + 'v1.ec2' => array( + 'extends' => 'sdk1_settings', + 'class' => 'AmazonEC2' + ), + + 'v1.elasticache' => array( + 'extends' => 'sdk1_settings', + 'class' => 'AmazonElastiCache' + ), + + 'v1.elasticbeanstalk' => array( + 'extends' => 'sdk1_settings', + 'class' => 'AmazonElasticBeanstalk' + ), + + 'v1.elb' => array( + 'extends' => 'sdk1_settings', + 'class' => 'AmazonELB' + ), + + 'v1.emr' => array( + 'extends' => 'sdk1_settings', + 'class' => 'AmazonEMR' + ), + + 'v1.iam' => array( + 'extends' => 'sdk1_settings', + 'class' => 'AmazonIAM' + ), + + 'v1.importexport' => array( + 'extends' => 'sdk1_settings', + 'class' => 'AmazonImportExport' + ), + + 'v1.rds' => array( + 'extends' => 'sdk1_settings', + 'class' => 'AmazonRDS' + ), + + 'v1.s3' => array( + 'extends' => 'sdk1_settings', + 'class' => 'AmazonS3' + ), + + 'v1.sdb' => array( + 'extends' => 'sdk1_settings', + 'class' => 'AmazonSDB' + ), + + 'v1.ses' => array( + 'extends' => 'sdk1_settings', + 'class' => 'AmazonSES' + ), + + 'v1.sns' => array( + 'extends' => 'sdk1_settings', + 'class' => 'AmazonSNS' + ), + + 'v1.sqs' => array( + 'extends' => 'sdk1_settings', + 'class' => 'AmazonSQS' + ), + + 'v1.storagegateway' => array( + 'extends' => 'sdk1_settings', + 'class' => 'AmazonStorageGateway' + ), + + 'v1.sts' => array( + 'extends' => 'sdk1_settings', + 'class' => 'AmazonSTS' + ), + + 'v1.swf' => array( + 'extends' => 'sdk1_settings', + 'class' => 'AmazonSWF' + ) + ) +); diff --git a/apps/files_external/3rdparty/aws-sdk-php/Aws/Common/Signature/AbstractSignature.php b/apps/files_external/3rdparty/aws-sdk-php/Aws/Common/Signature/AbstractSignature.php new file mode 100644 index 0000000000..00d66f819a --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Aws/Common/Signature/AbstractSignature.php @@ -0,0 +1,90 @@ +getQuery()->getAll(); + unset($queryParams['X-Amz-Signature']); + if (empty($queryParams)) { + return ''; + } + + $qs = ''; + ksort($queryParams); + foreach ($queryParams as $key => $values) { + if (is_array($values)) { + sort($values); + } elseif (!$values) { + $values = array(''); + } + + foreach ((array) $values as $value) { + $qs .= rawurlencode($key) . '=' . rawurlencode($value) . '&'; + } + } + + return substr($qs, 0, -1); + } + + /** + * Provides the timestamp used for the class + * + * @param bool $refresh Set to TRUE to refresh the cached timestamp + * + * @return int + */ + protected function getTimestamp($refresh = false) + { + if (!$this->timestamp || $refresh) { + $this->timestamp = time(); + } + + return $this->timestamp; + } + + /** + * Get a date for one of the parts of the requests + * + * @param string $format Date format + * + * @return string + */ + protected function getDateTime($format) + { + return gmdate($format, $this->getTimestamp()); + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Aws/Common/Signature/EndpointSignatureInterface.php b/apps/files_external/3rdparty/aws-sdk-php/Aws/Common/Signature/EndpointSignatureInterface.php new file mode 100644 index 0000000000..a71cb73ceb --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Aws/Common/Signature/EndpointSignatureInterface.php @@ -0,0 +1,42 @@ +credentials = $credentials; + $this->signature = $signature; + } + + /** + * {@inheritdoc} + */ + public static function getSubscribedEvents() + { + return array( + 'request.before_send' => array('onRequestBeforeSend', -255), + 'client.credentials_changed' => array('onCredentialsChanged') + ); + } + + /** + * Updates the listener with new credentials if the client is updated + * + * @param Event $event Event emitted + */ + public function onCredentialsChanged(Event $event) + { + $this->credentials = $event['credentials']; + } + + /** + * Signs requests before they are sent + * + * @param Event $event Event emitted + */ + public function onRequestBeforeSend(Event $event) + { + $this->signature->signRequest($event['request'], $this->credentials); + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Aws/Common/Signature/SignatureV2.php b/apps/files_external/3rdparty/aws-sdk-php/Aws/Common/Signature/SignatureV2.php new file mode 100644 index 0000000000..8b2f3a47fb --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Aws/Common/Signature/SignatureV2.php @@ -0,0 +1,112 @@ +getTimestamp(true); + + // set values we need in CanonicalizedParameterString + $this->addParameter($request, 'Timestamp', $this->getDateTime('c')); + $this->addParameter($request, 'SignatureVersion', '2'); + $this->addParameter($request, 'SignatureMethod', 'HmacSHA256'); + $this->addParameter($request, 'AWSAccessKeyId', $credentials->getAccessKeyId()); + + if ($token = $credentials->getSecurityToken()) { + $this->addParameter($request, 'SecurityToken', $token); + } + + // Get the path and ensure it's absolute + $path = '/' . ltrim($request->getUrl(true)->normalizePath()->getPath(), '/'); + + // build string to sign + $sign = $request->getMethod() . "\n" + . $request->getHost() . "\n" + . $path . "\n" + . $this->getCanonicalizedParameterString($request); + + // Add the string to sign to the request for debugging purposes + $request->getParams()->set('aws.string_to_sign', $sign); + + $signature = base64_encode( + hash_hmac( + 'sha256', + $sign, + $credentials->getSecretKey(), + true + ) + ); + + $this->addParameter($request, 'Signature', $signature); + } + + /** + * Add a parameter key and value to the request according to type + * + * @param RequestInterface $request The request + * @param string $key The name of the parameter + * @param string $value The value of the parameter + */ + public function addParameter(RequestInterface $request, $key, $value) + { + if ($request->getMethod() == 'POST') { + $request->setPostField($key, $value); + } else { + $request->getQuery()->set($key, $value); + } + } + + /** + * Get the canonicalized query/parameter string for a request + * + * @param RequestInterface $request Request used to build canonicalized string + * + * @return string + */ + public function getCanonicalizedParameterString(RequestInterface $request) + { + if ($request->getMethod() == 'POST') { + $params = $request->getPostFields()->toArray(); + } else { + $params = $request->getQuery()->toArray(); + } + + // Don't resign a previous signature value + unset($params['Signature']); + uksort($params, 'strcmp'); + + $str = ''; + foreach ($params as $key => $val) { + $str .= rawurlencode($key) . '=' . rawurlencode($val) . '&'; + } + + return substr($str, 0, -1); + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Aws/Common/Signature/SignatureV3.php b/apps/files_external/3rdparty/aws-sdk-php/Aws/Common/Signature/SignatureV3.php new file mode 100644 index 0000000000..bde4534817 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Aws/Common/Signature/SignatureV3.php @@ -0,0 +1,102 @@ +getHeaders()->toArray() as $k => $v) { + $k = strtolower($k); + if ($k == 'host' || strpos($k, 'x-amz-') !== false) { + $headers[$k] = implode(',', $v); + } + } + + // Sort the headers alphabetically and add them to the string to sign + ksort($headers); + + return $headers; + } + + /** + * {@inheritdoc} + */ + public function signRequest(RequestInterface $request, CredentialsInterface $credentials) + { + // Refresh the cached timestamp + $this->getTimestamp(true); + + // Add default headers + $request->setHeader('x-amz-date', $this->getDateTime(DateFormat::RFC1123)); + + // Add the security token if one is present + if ($credentials->getSecurityToken()) { + $request->setHeader('x-amz-security-token', $credentials->getSecurityToken()); + } + + // Grab the path and ensure that it is absolute + $path = '/' . ltrim($request->getUrl(true)->normalizePath()->getPath(), '/'); + + // Begin building the string to sign + $sign = $request->getMethod() . "\n" + . "{$path}\n" + . $this->getCanonicalizedQueryString($request) . "\n"; + + // Get all of the headers that must be signed (host and x-amz-*) + $headers = $this->getHeadersToSign($request); + foreach ($headers as $key => $value) { + $sign .= $key . ':' . $value . "\n"; + } + + $sign .= "\n"; + + // Add the body of the request if a body is present + if ($request instanceof EntityEnclosingRequestInterface) { + $sign .= (string) $request->getBody(); + } + + // Add the string to sign to the request for debugging purposes + $request->getParams()->set('aws.string_to_sign', $sign); + + $signature = base64_encode(hash_hmac('sha256', + hash('sha256', $sign, true), $credentials->getSecretKey(), true)); + + // Add the authorization header to the request + $request->setHeader('x-amzn-authorization', sprintf('AWS3 AWSAccessKeyId=%s,Algorithm=HmacSHA256,SignedHeaders=%s,Signature=%s', + $credentials->getAccessKeyId(), + implode(';', array_keys($headers)), + $signature)); + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Aws/Common/Signature/SignatureV3Https.php b/apps/files_external/3rdparty/aws-sdk-php/Aws/Common/Signature/SignatureV3Https.php new file mode 100644 index 0000000000..dfe88ffb1c --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Aws/Common/Signature/SignatureV3Https.php @@ -0,0 +1,55 @@ +hasHeader('date') && !$request->hasHeader('x-amz-date')) { + $request->setHeader('Date', $this->getDateTime(DateFormat::RFC1123)); + } + + // Add the security token if one is present + if ($credentials->getSecurityToken()) { + $request->setHeader('x-amz-security-token', $credentials->getSecurityToken()); + } + + // Determine the string to sign + $stringToSign = $request->getHeader('Date', true) ?: $request->getHeader('x-amz-date', true); + $request->getParams()->set('aws.string_to_sign', $stringToSign); + + // Calculate the signature + $signature = base64_encode(hash_hmac('sha256', $stringToSign, $credentials->getSecretKey(), true)); + + // Add the authorization header to the request + $headerFormat = 'AWS3-HTTPS AWSAccessKeyId=%s,Algorithm=HmacSHA256,Signature=%s'; + $request->setHeader('X-Amzn-Authorization', sprintf($headerFormat, $credentials->getAccessKeyId(), $signature)); + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Aws/Common/Signature/SignatureV4.php b/apps/files_external/3rdparty/aws-sdk-php/Aws/Common/Signature/SignatureV4.php new file mode 100644 index 0000000000..06d4d45dfb --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Aws/Common/Signature/SignatureV4.php @@ -0,0 +1,256 @@ +serviceName = $service; + + return $this; + } + + /** + * Set the region name instead of inferring it from a request URL + * + * @param string $region Name of the region used when signing + * + * @return self + */ + public function setRegionName($region) + { + $this->regionName = $region; + + return $this; + } + + /** + * Set the maximum number of computed hashes to cache + * + * @param int $maxCacheSize Maximum number of hashes to cache + * + * @return self + */ + public function setMaxCacheSize($maxCacheSize) + { + $this->maxCacheSize = $maxCacheSize; + + return $this; + } + + /** + * {@inheritdoc} + */ + public function signRequest(RequestInterface $request, CredentialsInterface $credentials) + { + // Refresh the cached timestamp + $this->getTimestamp(true); + + $longDate = $this->getDateTime(DateFormat::ISO8601); + $shortDate = $this->getDateTime(DateFormat::SHORT); + + // Remove any previously set Authorization headers so that + // exponential backoff works correctly + $request->removeHeader('Authorization'); + + // Requires a x-amz-date header or Date + if ($request->hasHeader('x-amz-date') || !$request->hasHeader('Date')) { + $request->setHeader('x-amz-date', $longDate); + } else { + $request->setHeader('Date', $this->getDateTime(DateFormat::RFC1123)); + } + + // Add the security token if one is present + if ($credentials->getSecurityToken()) { + $request->setHeader('x-amz-security-token', $credentials->getSecurityToken()); + } + + // Parse the service and region or use one that is explicitly set + $url = null; + if (!$this->regionName || !$this->serviceName) { + $url = Url::factory($request->getUrl()); + } + if (!$region = $this->regionName) { + $region = HostNameUtils::parseRegionName($url); + } + if (!$service = $this->serviceName) { + $service = HostNameUtils::parseServiceName($url); + } + + $credentialScope = "{$shortDate}/{$region}/{$service}/aws4_request"; + + $signingContext = $this->createCanonicalRequest($request); + $signingContext['string_to_sign'] = "AWS4-HMAC-SHA256\n{$longDate}\n{$credentialScope}\n" + . hash('sha256', $signingContext['canonical_request']); + + // Calculate the signing key using a series of derived keys + $signingKey = $this->getSigningKey($shortDate, $region, $service, $credentials->getSecretKey()); + $signature = hash_hmac('sha256', $signingContext['string_to_sign'], $signingKey); + + $request->setHeader('Authorization', "AWS4-HMAC-SHA256 " + . "Credential={$credentials->getAccessKeyId()}/{$credentialScope}, " + . "SignedHeaders={$signingContext['signed_headers']}, Signature={$signature}"); + + // Add debug information to the request + $request->getParams()->set('aws.signature', $signingContext); + } + + /** + * Create the canonical representation of a request + * + * @param RequestInterface $request Request to canonicalize + * + * @return array Returns an array of context information + */ + private function createCanonicalRequest(RequestInterface $request) + { + // Normalize the path as required by SigV4 and ensure it's absolute + $method = $request->getMethod(); + $canon = $method . "\n" + . '/' . ltrim($request->getUrl(true)->normalizePath()->getPath(), '/') . "\n" + . $this->getCanonicalizedQueryString($request) . "\n"; + + // Create the canonical headers + $headers = array(); + foreach ($request->getHeaders()->getAll() as $key => $values) { + if ($key != 'User-Agent') { + $key = strtolower($key); + if (!isset($headers[$key])) { + $headers[$key] = array(); + } + foreach ($values as $value) { + $headers[$key][] = preg_replace('/\s+/', ' ', trim($value)); + } + } + } + + // The headers must be sorted + ksort($headers); + + // Continue to build the canonical request by adding headers + foreach ($headers as $key => $values) { + // Combine multi-value headers into a sorted comma separated list + if (count($values) > 1) { + sort($values); + } + $canon .= $key . ':' . implode(',', $values) . "\n"; + } + + // Create the signed headers + $signedHeaders = implode(';', array_keys($headers)); + $canon .= "\n{$signedHeaders}\n"; + + // Create the payload if this request has an entity body + if ($request->hasHeader('x-amz-content-sha256')) { + // Handle streaming operations (e.g. Glacier.UploadArchive) + $canon .= $request->getHeader('x-amz-content-sha256'); + } elseif ($request instanceof EntityEnclosingRequestInterface) { + $canon .= hash( + 'sha256', + $method == 'POST' && count($request->getPostFields()) + ? (string) $request->getPostFields() : (string) $request->getBody() + ); + } else { + $canon .= self::DEFAULT_PAYLOAD; + } + + return array( + 'canonical_request' => $canon, + 'signed_headers' => $signedHeaders + ); + } + + /** + * Get a hash for a specific key and value. If the hash was previously + * cached, return it + * + * @param string $shortDate Short date + * @param string $region Region name + * @param string $service Service name + * @param string $secretKey Secret Access Key + * + * @return string + */ + private function getSigningKey($shortDate, $region, $service, $secretKey) + { + $cacheKey = $shortDate . '_' . $region . '_' . $service . '_' . $secretKey; + + // Retrieve the hash form the cache or create it and add it to the cache + if (!isset($this->hashCache[$cacheKey])) { + // When the cache size reaches the max, then just clear the cache + if (++$this->cacheSize > $this->maxCacheSize) { + $this->hashCache = array(); + $this->cacheSize = 0; + } + $dateKey = hash_hmac('sha256', $shortDate, 'AWS4' . $secretKey, true); + $regionKey = hash_hmac('sha256', $region, $dateKey, true); + $serviceKey = hash_hmac('sha256', $service, $regionKey, true); + $this->hashCache[$cacheKey] = hash_hmac('sha256', 'aws4_request', $serviceKey, true); + } + + return $this->hashCache[$cacheKey]; + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Aws/Common/Waiter/AbstractResourceWaiter.php b/apps/files_external/3rdparty/aws-sdk-php/Aws/Common/Waiter/AbstractResourceWaiter.php new file mode 100644 index 0000000000..5334848638 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Aws/Common/Waiter/AbstractResourceWaiter.php @@ -0,0 +1,53 @@ +client = $client; + + return $this; + } + + /** + * {@inheritdoc} + */ + public function wait() + { + if (!$this->client) { + throw new RuntimeException('No client has been specified on the waiter'); + } + + parent::wait(); + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Aws/Common/Waiter/AbstractWaiter.php b/apps/files_external/3rdparty/aws-sdk-php/Aws/Common/Waiter/AbstractWaiter.php new file mode 100644 index 0000000000..5d294cc26a --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Aws/Common/Waiter/AbstractWaiter.php @@ -0,0 +1,136 @@ +config[self::MAX_ATTEMPTS]) ? $this->config[self::MAX_ATTEMPTS] : 10; + } + + /** + * Get the amount of time in seconds to delay between attempts + * + * @return int + */ + public function getInterval() + { + return isset($this->config[self::INTERVAL]) ? $this->config[self::INTERVAL] : 0; + } + + /** + * {@inheritdoc} + */ + public function setMaxAttempts($maxAttempts) + { + $this->config[self::MAX_ATTEMPTS] = $maxAttempts; + + return $this; + } + + /** + * {@inheritdoc} + */ + public function setInterval($interval) + { + $this->config[self::INTERVAL] = $interval; + + return $this; + } + + /** + * Set config options associated with the waiter + * + * @param array $config Options to set + * + * @return self + */ + public function setConfig(array $config) + { + $this->config = $config; + + return $this; + } + + /** + * {@inheritdoc} + */ + public function wait() + { + $this->attempts = 0; + + do { + $this->dispatch('waiter.before_attempt', array( + 'waiter' => $this, + 'config' => $this->config, + )); + + if ($this->doWait()) { + break; + } + + if (++$this->attempts >= $this->getMaxAttempts()) { + throw new RuntimeException('Wait method never resolved to true after ' . $this->attempts . ' attempts'); + } + + $this->dispatch('waiter.before_wait', array( + 'waiter' => $this, + 'config' => $this->config, + )); + + if ($this->getInterval()) { + usleep($this->getInterval() * 1000000); + } + + } while (1); + } + + /** + * Method to implement in subclasses + * + * @return bool Return true when successful, false on failure + */ + abstract protected function doWait(); +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Aws/Common/Waiter/CallableWaiter.php b/apps/files_external/3rdparty/aws-sdk-php/Aws/Common/Waiter/CallableWaiter.php new file mode 100644 index 0000000000..a205e06175 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Aws/Common/Waiter/CallableWaiter.php @@ -0,0 +1,82 @@ +callable = $callable; + + return $this; + } + + /** + * Set additional context for the callable function. This data will be passed into the callable function as the + * second argument + * + * @param array $context Additional context + * + * @return self + */ + public function setContext(array $context) + { + $this->context = $context; + + return $this; + } + + /** + * {@inheritdoc} + */ + public function doWait() + { + if (!$this->callable) { + throw new RuntimeException('No callable was specified for the wait method'); + } + + return call_user_func($this->callable, $this->attempts, $this->context); + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Aws/Common/Waiter/CompositeWaiterFactory.php b/apps/files_external/3rdparty/aws-sdk-php/Aws/Common/Waiter/CompositeWaiterFactory.php new file mode 100644 index 0000000000..5278e49f29 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Aws/Common/Waiter/CompositeWaiterFactory.php @@ -0,0 +1,90 @@ +factories = $factories; + } + + /** + * {@inheritdoc} + */ + public function build($waiter) + { + if (!($factory = $this->getFactory($waiter))) { + throw new InvalidArgumentException("Waiter was not found matching {$waiter}."); + } + + return $factory->build($waiter); + } + + /** + * {@inheritdoc} + */ + public function canBuild($waiter) + { + return (bool) $this->getFactory($waiter); + } + + /** + * Add a factory to the composite factory + * + * @param WaiterFactoryInterface $factory Factory to add + * + * @return self + */ + public function addFactory(WaiterFactoryInterface $factory) + { + $this->factories[] = $factory; + + return $this; + } + + /** + * Get the factory that matches the waiter name + * + * @param string $waiter Name of the waiter + * + * @return WaiterFactoryInterface|bool + */ + protected function getFactory($waiter) + { + foreach ($this->factories as $factory) { + if ($factory->canBuild($waiter)) { + return $factory; + } + } + + return false; + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Aws/Common/Waiter/ConfigResourceWaiter.php b/apps/files_external/3rdparty/aws-sdk-php/Aws/Common/Waiter/ConfigResourceWaiter.php new file mode 100644 index 0000000000..8ef0577da7 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Aws/Common/Waiter/ConfigResourceWaiter.php @@ -0,0 +1,225 @@ +waiterConfig = $waiterConfig; + $this->setInterval($waiterConfig->get(WaiterConfig::INTERVAL)); + $this->setMaxAttempts($waiterConfig->get(WaiterConfig::MAX_ATTEMPTS)); + } + + /** + * {@inheritdoc} + */ + public function setConfig(array $config) + { + foreach ($config as $key => $value) { + if (substr($key, 0, 7) == 'waiter.') { + $this->waiterConfig->set(substr($key, 7), $value); + } + } + + if (!isset($config[self::INTERVAL])) { + $config[self::INTERVAL] = $this->waiterConfig->get(WaiterConfig::INTERVAL); + } + + if (!isset($config[self::MAX_ATTEMPTS])) { + $config[self::MAX_ATTEMPTS] = $this->waiterConfig->get(WaiterConfig::MAX_ATTEMPTS); + } + + return parent::setConfig($config); + } + + /** + * Get the waiter's configuration data + * + * @return WaiterConfig + */ + public function getWaiterConfig() + { + return $this->waiterConfig; + } + + /** + * {@inheritdoc} + */ + protected function doWait() + { + $params = $this->config; + // remove waiter settings from the operation's input + foreach (array_keys($params) as $key) { + if (substr($key, 0, 7) == 'waiter.') { + unset($params[$key]); + } + } + + $operation = $this->client->getCommand($this->waiterConfig->get(WaiterConfig::OPERATION), $params); + + try { + return $this->checkResult($this->client->execute($operation)); + } catch (ValidationException $e) { + throw new InvalidArgumentException( + $this->waiterConfig->get(WaiterConfig::WAITER_NAME) . ' waiter validation failed: ' . $e->getMessage(), + $e->getCode(), + $e + ); + } catch (ServiceResponseException $e) { + + // Check if this exception satisfies a success or failure acceptor + $transition = $this->checkErrorAcceptor($e); + if (null !== $transition) { + return $transition; + } + + // Check if this exception should be ignored + foreach ((array) $this->waiterConfig->get(WaiterConfig::IGNORE_ERRORS) as $ignore) { + if ($e->getExceptionCode() == $ignore) { + // This exception is ignored, so it counts as a failed attempt rather than a fast-fail + return false; + } + } + + // Allow non-ignore exceptions to bubble through + throw $e; + } + } + + /** + * Check if an exception satisfies a success or failure acceptor + * + * @param ServiceResponseException $e + * + * @return bool|null Returns true for success, false for failure, and null for no transition + */ + protected function checkErrorAcceptor(ServiceResponseException $e) + { + if ($this->waiterConfig->get(WaiterConfig::SUCCESS_TYPE) == 'error') { + if ($e->getExceptionCode() == $this->waiterConfig->get(WaiterConfig::SUCCESS_VALUE)) { + // Mark as a success + return true; + } + } + + // Mark as an attempt + return null; + } + + /** + * Check to see if the response model satisfies a success or failure state + * + * @param Model $result Result model + * + * @return bool + * @throws RuntimeException + */ + protected function checkResult(Model $result) + { + // Check if the result evaluates to true based on the path and output model + if ($this->waiterConfig->get(WaiterConfig::SUCCESS_TYPE) == 'output' && + $this->checkPath( + $result, + $this->waiterConfig->get(WaiterConfig::SUCCESS_PATH), + $this->waiterConfig->get(WaiterConfig::SUCCESS_VALUE) + ) + ) { + return true; + } + + // It did not finish waiting yet. Determine if we need to fail-fast based on the failure acceptor. + if ($this->waiterConfig->get(WaiterConfig::FAILURE_TYPE) == 'output') { + $failureValue = $this->waiterConfig->get(WaiterConfig::FAILURE_VALUE); + if ($failureValue) { + $key = $this->waiterConfig->get(WaiterConfig::FAILURE_PATH); + if ($this->checkPath($result, $key, $failureValue, false)) { + // Determine which of the results triggered the failure + $triggered = array_intersect( + (array) $this->waiterConfig->get(WaiterConfig::FAILURE_VALUE), + array_unique((array) $result->getPath($key)) + ); + // fast fail because the failure case was satisfied + throw new RuntimeException( + 'A resource entered into an invalid state of "' + . implode(', ', $triggered) . '" while waiting with the "' + . $this->waiterConfig->get(WaiterConfig::WAITER_NAME) . '" waiter.' + ); + } + } + } + + return false; + } + + /** + * Check to see if the path of the output key is satisfied by the value + * + * @param Model $model Result model + * @param string $key Key to check + * @param string $checkValue Compare the key to the value + * @param bool $all Set to true to ensure all value match or false to only match one + * + * @return bool + */ + protected function checkPath(Model $model, $key = null, $checkValue = array(), $all = true) + { + // If no key is set, then just assume true because the request succeeded + if (!$key) { + return true; + } + + if (!($result = $model->getPath($key))) { + return false; + } + + $total = $matches = 0; + foreach ((array) $result as $value) { + $total++; + foreach ((array) $checkValue as $check) { + if ($value == $check) { + $matches++; + break; + } + } + } + + // When matching all values, ensure that the match count matches the total count + if ($all && $total != $matches) { + return false; + } + + return $matches > 0; + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Aws/Common/Waiter/ResourceWaiterInterface.php b/apps/files_external/3rdparty/aws-sdk-php/Aws/Common/Waiter/ResourceWaiterInterface.php new file mode 100644 index 0000000000..07cf41d65f --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Aws/Common/Waiter/ResourceWaiterInterface.php @@ -0,0 +1,34 @@ + CamelCase). + */ +class WaiterClassFactory implements WaiterFactoryInterface +{ + /** + * @var array List of namespaces used to look for classes + */ + protected $namespaces; + + /** + * @var InflectorInterface Inflector used to inflect class names + */ + protected $inflector; + + /** + * @param array|string $namespaces Namespaces of waiter objects + * @param InflectorInterface $inflector Inflector used to resolve class names + */ + public function __construct($namespaces = array(), InflectorInterface $inflector = null) + { + $this->namespaces = (array) $namespaces; + $this->inflector = $inflector ?: Inflector::getDefault(); + } + + /** + * Registers a namespace to check for Waiters + * + * @param string $namespace Namespace which contains Waiter classes + * + * @return self + */ + public function registerNamespace($namespace) + { + array_unshift($this->namespaces, $namespace); + + return $this; + } + + /** + * {@inheritdoc} + */ + public function build($waiter) + { + if (!($className = $this->getClassName($waiter))) { + throw new InvalidArgumentException("Waiter was not found matching {$waiter}."); + } + + return new $className(); + } + + /** + * {@inheritdoc} + */ + public function canBuild($waiter) + { + return $this->getClassName($waiter) !== null; + } + + /** + * Get the name of a waiter class + * + * @param string $waiter Waiter name + * + * @return string|null + */ + protected function getClassName($waiter) + { + $waiterName = $this->inflector->camel($waiter); + + // Determine the name of the class to load + $className = null; + foreach ($this->namespaces as $namespace) { + $potentialClassName = $namespace . '\\' . $waiterName; + if (class_exists($potentialClassName)) { + return $potentialClassName; + } + } + + return null; + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Aws/Common/Waiter/WaiterConfig.php b/apps/files_external/3rdparty/aws-sdk-php/Aws/Common/Waiter/WaiterConfig.php new file mode 100644 index 0000000000..7c10f5a9d7 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Aws/Common/Waiter/WaiterConfig.php @@ -0,0 +1,67 @@ +data = $data; + $this->extractConfig(); + } + + /** + * Create the command configuration variables + */ + protected function extractConfig() + { + // Populate success.* and failure.* if specified in acceptor.* + foreach ($this->data as $key => $value) { + if (substr($key, 0, 9) == 'acceptor.') { + $name = substr($key, 9); + if (!isset($this->data["success.{$name}"])) { + $this->data["success.{$name}"] = $value; + } + if (!isset($this->data["failure.{$name}"])) { + $this->data["failure.{$name}"] = $value; + } + unset($this->data[$key]); + } + } + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Aws/Common/Waiter/WaiterConfigFactory.php b/apps/files_external/3rdparty/aws-sdk-php/Aws/Common/Waiter/WaiterConfigFactory.php new file mode 100644 index 0000000000..cb921495f9 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Aws/Common/Waiter/WaiterConfigFactory.php @@ -0,0 +1,98 @@ +config = $config; + $this->inflector = $inflector ?: Inflector::getDefault(); + } + + /** + * {@inheritdoc} + */ + public function build($waiter) + { + return new ConfigResourceWaiter($this->getWaiterConfig($waiter)); + } + + /** + * {@inheritdoc} + */ + public function canBuild($waiter) + { + return isset($this->config[$waiter]) || isset($this->config[$this->inflector->camel($waiter)]); + } + + /** + * Get waiter configuration data, taking __default__ and extensions into account + * + * @param string $name Waiter name + * + * @return WaiterConfig + * @throws InvalidArgumentException + */ + protected function getWaiterConfig($name) + { + if (!$this->canBuild($name)) { + throw new InvalidArgumentException('No waiter found matching "' . $name . '"'); + } + + // inflect the name if needed + $name = isset($this->config[$name]) ? $name : $this->inflector->camel($name); + $waiter = new WaiterConfig($this->config[$name]); + $waiter['name'] = $name; + + // Always use __default__ as the basis if it's set + if (isset($this->config['__default__'])) { + $parentWaiter = new WaiterConfig($this->config['__default__']); + $waiter = $parentWaiter->overwriteWith($waiter); + } + + // Allow for configuration extensions + if (isset($this->config[$name]['extends'])) { + $waiter = $this->getWaiterConfig($this->config[$name]['extends'])->overwriteWith($waiter); + } + + return $waiter; + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Aws/Common/Waiter/WaiterFactoryInterface.php b/apps/files_external/3rdparty/aws-sdk-php/Aws/Common/Waiter/WaiterFactoryInterface.php new file mode 100644 index 0000000000..b9bf0f45b0 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Aws/Common/Waiter/WaiterFactoryInterface.php @@ -0,0 +1,41 @@ + + +Copyright 2010-2013 Amazon.com, Inc. or its affiliates. All Rights Reserved. + +Licensed under the Apache License, Version 2.0 (the "License"). +You may not use this file except in compliance with the License. +A copy of the License is located at + + + +or in the "license" file accompanying this file. This file is distributed +on an "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either +express or implied. See the License for the specific language governing +permissions and limitations under the License. + +# Guzzle + + + +Copyright (c) 2011 Michael Dowling, https://github.com/mtdowling + +Permission is hereby granted, free of charge, to any person obtaining a copy +of this software and associated documentation files (the "Software"), to deal +in the Software without restriction, including without limitation the rights +to use, copy, modify, merge, publish, distribute, sublicense, and/or sell +copies of the Software, and to permit persons to whom the Software is +furnished to do so, subject to the following conditions: + +The above copyright notice and this permission notice shall be included in +all copies or substantial portions of the Software. + +THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR +IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, +FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE +AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER +LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, +OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN +THE SOFTWARE. + +# Symfony + + + +Copyright (c) 2004-2012 Fabien Potencier + +Permission is hereby granted, free of charge, to any person obtaining a copy +of this software and associated documentation files (the "Software"), to deal +in the Software without restriction, including without limitation the rights +to use, copy, modify, merge, publish, distribute, sublicense, and/or sell +copies of the Software, and to permit persons to whom the Software is furnished +to do so, subject to the following conditions: + +The above copyright notice and this permission notice shall be included in all +copies or substantial portions of the Software. + +THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR +IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, +FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE +AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER +LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, +OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN +THE SOFTWARE. + +# Doctrine Common + + + +Copyright (c) 2006-2012 Doctrine Project + +Permission is hereby granted, free of charge, to any person obtaining a copy of +this software and associated documentation files (the "Software"), to deal in +the Software without restriction, including without limitation the rights to +use, copy, modify, merge, publish, distribute, sublicense, and/or sell copies +of the Software, and to permit persons to whom the Software is furnished to do +so, subject to the following conditions: + +The above copyright notice and this permission notice shall be included in all +copies or substantial portions of the Software. + +THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR +IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, +FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE +AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER +LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, +OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE +SOFTWARE. + +# Monolog + + + +Copyright (c) Jordi Boggiano + +Permission is hereby granted, free of charge, to any person obtaining a copy +of this software and associated documentation files (the "Software"), to deal +in the Software without restriction, including without limitation the rights +to use, copy, modify, merge, publish, distribute, sublicense, and/or sell +copies of the Software, and to permit persons to whom the Software is furnished +to do so, subject to the following conditions: + +The above copyright notice and this permission notice shall be included in all +copies or substantial portions of the Software. + +THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR +IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, +FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE +AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER +LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, +OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN +THE SOFTWARE. diff --git a/apps/files_external/3rdparty/aws-sdk-php/Aws/S3/AcpListener.php b/apps/files_external/3rdparty/aws-sdk-php/Aws/S3/AcpListener.php new file mode 100644 index 0000000000..2d28407e12 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Aws/S3/AcpListener.php @@ -0,0 +1,75 @@ + array('onCommandBeforePrepare', -255)); + } + + /** + * An event handler for constructing ACP definitions. + * + * @param Event $event The event to respond to. + * + * @throws InvalidArgumentException + */ + public function onCommandBeforePrepare(Event $event) + { + /** @var $command \Guzzle\Service\Command\AbstractCommand */ + $command = $event['command']; + $operation = $command->getOperation(); + if ($operation->hasParam('ACP') && $command->hasKey('ACP')) { + if ($acp = $command->get('ACP')) { + // Ensure that the correct object was passed + if (!($acp instanceof Acp)) { + throw new InvalidArgumentException('ACP must be an instance of Aws\S3\Model\Acp'); + } + + // Check if the user specified both an ACP and Grants + if ($command->hasKey('Grants')) { + throw new InvalidArgumentException( + 'Use either the ACP parameter or the Grants parameter. Do not use both.' + ); + } + + // Add the correct headers/body based parameters to the command + if ($operation->hasParam('Grants')) { + $command->overwriteWith($acp->toArray()); + } else { + $acp->updateCommand($command); + } + } + + // Remove the ACP parameter + $command->remove('ACP'); + } + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Aws/S3/BucketStyleListener.php b/apps/files_external/3rdparty/aws-sdk-php/Aws/S3/BucketStyleListener.php new file mode 100644 index 0000000000..6bb5bb42cd --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Aws/S3/BucketStyleListener.php @@ -0,0 +1,85 @@ + array('onCommandAfterPrepare', -255)); + } + + /** + * Changes how buckets are referenced in the HTTP request + * + * @param Event $event Event emitted + */ + public function onCommandAfterPrepare(Event $event) + { + $command = $event['command']; + $bucket = $command['Bucket']; + $request = $command->getRequest(); + $pathStyle = false; + + if ($key = $command['Key']) { + // Modify the command Key to account for the {/Key*} explosion into an array + if (is_array($key)) { + $command['Key'] = $key = implode('/', $key); + } + } + + // Set the key and bucket on the request + $request->getParams()->set('bucket', $bucket)->set('key', $key); + + // Switch to virtual if PathStyle is disabled, or not a DNS compatible bucket name, or the scheme is + // http, or the scheme is https and there are no dots in the host header (avoids SSL issues) + if (!$command['PathStyle'] && $command->getClient()->isValidBucketName($bucket) + && !($command->getRequest()->getScheme() == 'https' && strpos($bucket, '.')) + ) { + // Switch to virtual hosted bucket + $request->setHost($bucket . '.' . $request->getHost()); + $request->setPath(preg_replace("#^/{$bucket}#", '', $request->getPath())); + } else { + $pathStyle = true; + } + + if (!$bucket) { + $request->getParams()->set('s3.resource', '/'); + } elseif ($pathStyle) { + // Path style does not need a trailing slash + $request->getParams()->set( + 's3.resource', + '/' . rawurlencode($bucket) . ($key ? ('/' . S3Client::encodeKey($key)) : '') + ); + } else { + // Bucket style needs a trailing slash + $request->getParams()->set( + 's3.resource', + '/' . rawurlencode($bucket) . ($key ? ('/' . S3Client::encodeKey($key)) : '/') + ); + } + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Aws/S3/Command/S3Command.php b/apps/files_external/3rdparty/aws-sdk-php/Aws/S3/Command/S3Command.php new file mode 100644 index 0000000000..b48d9b2bc1 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Aws/S3/Command/S3Command.php @@ -0,0 +1,66 @@ +client->createPresignedUrl($this->prepare(), $expires); + } + + /** + * {@inheritdoc} + */ + protected function process() + { + $request = $this->getRequest(); + $response = $this->getResponse(); + + // Dispatch an error if a 301 redirect occurred + if ($response->getStatusCode() == 301) { + $this->getClient()->getEventDispatcher()->dispatch('request.error', new Event(array( + 'request' => $this->getRequest(), + 'response' => $response + ))); + } + + parent::process(); + + // Set the GetObject URL if using the PutObject operation + if ($this->result instanceof Model && $this->getName() == 'PutObject') { + $this->result->set('ObjectURL', $request->getUrl()); + } + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Aws/S3/Enum/CannedAcl.php b/apps/files_external/3rdparty/aws-sdk-php/Aws/S3/Enum/CannedAcl.php new file mode 100644 index 0000000000..da4704527b --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Aws/S3/Enum/CannedAcl.php @@ -0,0 +1,32 @@ +errors = $errors; + } + + /** + * Get the errored objects + * + * @return array Returns an array of associative arrays, each containing + * a 'Code', 'Message', and 'Key' key. + */ + public function getErrors() + { + return $this->errors; + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Aws/S3/Exception/EntityTooLargeException.php b/apps/files_external/3rdparty/aws-sdk-php/Aws/S3/Exception/EntityTooLargeException.php new file mode 100644 index 0000000000..66e6da9490 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Aws/S3/Exception/EntityTooLargeException.php @@ -0,0 +1,22 @@ +getStatusCode() === 301) { + $data['type'] = 'client'; + if (isset($data['message'], $data['parsed'])) { + $data['message'] = rtrim($data['message'], '.') . ': "' . $data['parsed']->Endpoint . '".'; + } + } + + return $data; + } + + /** + * {@inheritdoc} + */ + protected function parseHeaders(RequestInterface $request, Response $response, array &$data) + { + parent::parseHeaders($request, $response, $data); + + // Get the request + $status = $response->getStatusCode(); + $method = $request->getMethod(); + + // Attempt to determine code for 403s and 404s + if ($status === 403) { + $data['code'] = 'AccessDenied'; + } elseif ($method === 'HEAD' && $status === 404) { + $path = explode('/', trim($request->getPath(), '/')); + $host = explode('.', $request->getHost()); + $bucket = (count($host) === 4) ? $host[0] : array_shift($path); + $object = array_shift($path); + + if ($bucket && $object) { + $data['code'] = 'NoSuchKey'; + } elseif ($bucket) { + $data['code'] = 'NoSuchBucket'; + } + } + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Aws/S3/Exception/PermanentRedirectException.php b/apps/files_external/3rdparty/aws-sdk-php/Aws/S3/Exception/PermanentRedirectException.php new file mode 100644 index 0000000000..d2af82076c --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Aws/S3/Exception/PermanentRedirectException.php @@ -0,0 +1,22 @@ +get('Buckets') ?: array(); + + // If only the names_only set, change arrays to a string + if ($this->get('names_only')) { + foreach ($buckets as &$bucket) { + $bucket = $bucket['Name']; + } + } + + return $buckets; + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Aws/S3/Iterator/ListMultipartUploadsIterator.php b/apps/files_external/3rdparty/aws-sdk-php/Aws/S3/Iterator/ListMultipartUploadsIterator.php new file mode 100644 index 0000000000..fbfb7ff3ab --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Aws/S3/Iterator/ListMultipartUploadsIterator.php @@ -0,0 +1,45 @@ +get('Uploads') ?: array(); + + // If there are prefixes and we want them, merge them in + if ($this->get('return_prefixes') && $result->hasKey('CommonPrefixes')) { + $uploads = array_merge($uploads, $result->get('CommonPrefixes')); + } + + return $uploads; + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Aws/S3/Iterator/ListObjectVersionsIterator.php b/apps/files_external/3rdparty/aws-sdk-php/Aws/S3/Iterator/ListObjectVersionsIterator.php new file mode 100644 index 0000000000..5417703329 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Aws/S3/Iterator/ListObjectVersionsIterator.php @@ -0,0 +1,47 @@ +get('Versions') ?: array(); + $deleteMarkers = $result->get('DeleteMarkers') ?: array(); + $versions = array_merge($versions, $deleteMarkers); + + // If there are prefixes and we want them, merge them in + if ($this->get('return_prefixes') && $result->hasKey('CommonPrefixes')) { + $versions = array_merge($versions, $result->get('CommonPrefixes')); + } + + return $versions; + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Aws/S3/Iterator/ListObjectsIterator.php b/apps/files_external/3rdparty/aws-sdk-php/Aws/S3/Iterator/ListObjectsIterator.php new file mode 100644 index 0000000000..0b976389c7 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Aws/S3/Iterator/ListObjectsIterator.php @@ -0,0 +1,70 @@ +get('Contents') ?: array(); + $numObjects = count($objects); + $lastKey = $numObjects ? $objects[$numObjects - 1]['Key'] : false; + if ($lastKey && !$result->hasKey($this->get('token_key'))) { + $result->set($this->get('token_key'), $lastKey); + } + + // Closure for getting the name of an object or prefix + $getName = function ($object) { + return isset($object['Key']) ? $object['Key'] : $object['Prefix']; + }; + + // If common prefixes returned (i.e. a delimiter was set) and they need to be returned, there is more to do + if ($this->get('return_prefixes') && $result->hasKey('CommonPrefixes')) { + // Collect and format the prefixes to include with the objects + $objects = array_merge($objects, $result->get('CommonPrefixes')); + + // Sort the objects and prefixes to maintain alphabetical order, but only if some of each were returned + if ($this->get('sort_results') && $lastKey && $objects) { + usort($objects, function ($object1, $object2) use ($getName) { + return strcmp($getName($object1), $getName($object2)); + }); + } + } + + // If only the names are desired, iterate through the results and convert the arrays to the object/prefix names + if ($this->get('names_only')) { + $objects = array_map($getName, $objects); + } + + return $objects; + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Aws/S3/Iterator/OpendirIterator.php b/apps/files_external/3rdparty/aws-sdk-php/Aws/S3/Iterator/OpendirIterator.php new file mode 100644 index 0000000000..82c0153ed5 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Aws/S3/Iterator/OpendirIterator.php @@ -0,0 +1,86 @@ +filePrefix = $filePrefix; + $this->dirHandle = $dirHandle; + $this->next(); + } + + public function __destruct() + { + if ($this->dirHandle) { + closedir($this->dirHandle); + } + } + + public function rewind() + { + $this->key = 0; + rewinddir($this->dirHandle); + } + + public function current() + { + return $this->currentFile; + } + + public function next() + { + if ($file = readdir($this->dirHandle)) { + $this->currentFile = new \SplFileInfo($this->filePrefix . $file); + } else { + $this->currentFile = false; + } + + $this->key++; + } + + public function key() + { + return $this->key; + } + + public function valid() + { + return $this->currentFile !== false; + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Aws/S3/Model/Acp.php b/apps/files_external/3rdparty/aws-sdk-php/Aws/S3/Model/Acp.php new file mode 100644 index 0000000000..8325a2b657 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Aws/S3/Model/Acp.php @@ -0,0 +1,243 @@ +setOwner($owner); + $this->setGrants($grants); + } + + /** + * Create an Acp object from an array. This can be used to create an ACP from a response to a GetObject/Bucket ACL + * operation. + * + * @param array $data Array of ACP data + * + * @return self + */ + public static function fromArray(array $data) + { + $builder = new AcpBuilder(); + $builder->setOwner((string) $data['Owner']['ID'], $data['Owner']['DisplayName']); + + // Add each Grantee to the ACP + foreach ($data['Grants'] as $grant) { + $permission = $grant['Permission']; + + // Determine the type for response bodies that are missing the Type parameter + if (!isset($grant['Grantee']['Type'])) { + if (isset($grant['Grantee']['ID'])) { + $grant['Grantee']['Type'] = 'CanonicalUser'; + } elseif (isset($grant['Grantee']['URI'])) { + $grant['Grantee']['Type'] = 'Group'; + } else { + $grant['Grantee']['Type'] = 'AmazonCustomerByEmail'; + } + } + + switch ($grant['Grantee']['Type']) { + case 'Group': + $builder->addGrantForGroup($permission, $grant['Grantee']['URI']); + break; + case 'AmazonCustomerByEmail': + $builder->addGrantForEmail($permission, $grant['Grantee']['EmailAddress']); + break; + case 'CanonicalUser': + $builder->addGrantForUser( + $permission, + $grant['Grantee']['ID'], + $grant['Grantee']['DisplayName'] + ); + } + } + + return $builder->build(); + } + + /** + * Set the owner of the ACP policy + * + * @param Grantee $owner ACP policy owner + * + * @return self + * + * @throws InvalidArgumentException if the grantee does not have an ID set + */ + public function setOwner(Grantee $owner) + { + if (!$owner->isCanonicalUser()) { + throw new InvalidArgumentException('The owner must have an ID set.'); + } + + $this->owner = $owner; + + return $this; + } + + /** + * Get the owner of the ACP policy + * + * @return Grantee + */ + public function getOwner() + { + return $this->owner; + } + + /** + * Set the grants for the ACP + * + * @param array|\Traversable $grants List of grants for the ACP + * + * @return self + * + * @throws InvalidArgumentException + */ + public function setGrants($grants = array()) + { + $this->grants = new \SplObjectStorage(); + + if ($grants) { + if (is_array($grants) || $grants instanceof \Traversable) { + /** @var $grant Grant */ + foreach ($grants as $grant) { + $this->addGrant($grant); + } + } else { + throw new InvalidArgumentException('Grants must be passed in as an array or Traversable object.'); + } + } + + return $this; + } + + /** + * Get all of the grants + * + * @return \SplObjectStorage + */ + public function getGrants() + { + return $this->grants; + } + + /** + * Add a Grant + * + * @param Grant $grant Grant to add + * + * @return self + */ + public function addGrant(Grant $grant) + { + if (count($this->grants) < 100) { + $this->grants->attach($grant); + } else { + throw new OverflowException('An ACP may contain up to 100 grants.'); + } + + return $this; + } + + /** + * Get the total number of attributes + * + * @return int + */ + public function count() + { + return count($this->grants); + } + + /** + * Returns the grants for iteration + * + * @return \SplObjectStorage + */ + public function getIterator() + { + return $this->grants; + } + + /** + * Applies grant headers to a command's parameters + * + * @param AbstractCommand $command Command to be updated + * + * @return self + */ + public function updateCommand(AbstractCommand $command) + { + $parameters = array(); + foreach ($this->grants as $grant) { + /** @var $grant Grant */ + $parameters = array_merge_recursive($parameters, $grant->getParameterArray()); + } + + foreach ($parameters as $name => $values) { + $command->set($name, implode(', ', (array) $values)); + } + + return $this; + } + + /** + * {@inheritdoc} + */ + public function toArray() + { + $grants = array(); + foreach ($this->grants as $grant) { + $grants[] = $grant->toArray(); + } + + return array( + 'Owner' => array( + 'ID' => $this->owner->getId(), + 'DisplayName' => $this->owner->getDisplayName() + ), + 'Grants' => $grants + ); + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Aws/S3/Model/AcpBuilder.php b/apps/files_external/3rdparty/aws-sdk-php/Aws/S3/Model/AcpBuilder.php new file mode 100644 index 0000000000..0e41c3cb0a --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Aws/S3/Model/AcpBuilder.php @@ -0,0 +1,134 @@ +owner = new Grantee($id, $displayName ?: $id, GranteeType::USER); + + return $this; + } + + /** + * Create and store a Grant with a CanonicalUser Grantee for the ACL + * + * @param string $permission Permission for the Grant + * @param string $id Grantee identifier + * @param string $displayName Grantee display name + * + * @return self + */ + public function addGrantForUser($permission, $id, $displayName = null) + { + $grantee = new Grantee($id, $displayName ?: $id, GranteeType::USER); + $this->addGrant($permission, $grantee); + + return $this; + } + + /** + * Create and store a Grant with a AmazonCustomerByEmail Grantee for the ACL + * + * @param string $permission Permission for the Grant + * @param string $email Grantee email address + * + * @return self + */ + public function addGrantForEmail($permission, $email) + { + $grantee = new Grantee($email, null, GranteeType::EMAIL); + $this->addGrant($permission, $grantee); + + return $this; + } + + /** + * Create and store a Grant with a Group Grantee for the ACL + * + * @param string $permission Permission for the Grant + * @param string $group Grantee group + * + * @return self + */ + public function addGrantForGroup($permission, $group) + { + $grantee = new Grantee($group, null, GranteeType::GROUP); + $this->addGrant($permission, $grantee); + + return $this; + } + + /** + * Create and store a Grant for the ACL + * + * @param string $permission Permission for the Grant + * @param Grantee $grantee The Grantee for the Grant + * + * @return self + */ + public function addGrant($permission, Grantee $grantee) + { + $this->grants[] = new Grant($grantee, $permission); + + return $this; + } + + /** + * Builds the ACP and returns it + * + * @return Acp + */ + public function build() + { + return new Acp($this->owner, $this->grants); + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Aws/S3/Model/ClearBucket.php b/apps/files_external/3rdparty/aws-sdk-php/Aws/S3/Model/ClearBucket.php new file mode 100644 index 0000000000..f63b22e420 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Aws/S3/Model/ClearBucket.php @@ -0,0 +1,190 @@ +client = $client; + $this->bucket = $bucket; + } + + /** + * {@inheritdoc} + */ + public static function getAllEvents() + { + return array(self::AFTER_DELETE, self::BEFORE_CLEAR, self::AFTER_CLEAR); + } + + /** + * Set the bucket that is to be cleared + * + * @param string $bucket Name of the bucket to clear + * + * @return self + */ + public function setBucket($bucket) + { + $this->bucket = $bucket; + + return $this; + } + + /** + * Get the iterator used to yield the keys to be deleted. A default iterator + * will be created and returned if no iterator has been explicitly set. + * + * @return \Iterator + */ + public function getIterator() + { + if (!$this->iterator) { + $this->iterator = $this->client->getIterator('ListObjectVersions', array( + 'Bucket' => $this->bucket + )); + } + + return $this->iterator; + } + + /** + * Sets a different iterator to use than the default iterator. This can be helpful when you wish to delete + * only specific keys from a bucket (e.g. keys that match a certain prefix or delimiter, or perhaps keys that + * pass through a filtered, decorated iterator). + * + * @param \Iterator $iterator Iterator used to yield the keys to be deleted + * + * @return self + */ + public function setIterator(\Iterator $iterator) + { + $this->iterator = $iterator; + + return $this; + } + + /** + * Set the MFA token to send with each request + * + * @param string $mfa MFA token to send with each request. The value is the concatenation of the authentication + * device's serial number, a space, and the value displayed on your authentication device. + * + * @return self + */ + public function setMfa($mfa) + { + $this->mfa = $mfa; + + return $this; + } + + /** + * Clear the bucket + * + * @return int Returns the number of deleted keys + * @throws ExceptionCollection + */ + public function clear() + { + $that = $this; + $batch = DeleteObjectsBatch::factory($this->client, $this->bucket, $this->mfa); + $batch = new NotifyingBatch($batch, function ($items) use ($that) { + $that->dispatch(ClearBucket::AFTER_DELETE, array('keys' => $items)); + }); + $batch = new FlushingBatch(new ExceptionBufferingBatch($batch), 1000); + + // Let any listeners know that the bucket is about to be cleared + $this->dispatch(self::BEFORE_CLEAR, array( + 'iterator' => $this->getIterator(), + 'batch' => $batch, + 'mfa' => $this->mfa + )); + + $deleted = 0; + foreach ($this->getIterator() as $object) { + if (isset($object['VersionId'])) { + $versionId = $object['VersionId'] == 'null' ? null : $object['VersionId']; + } else { + $versionId = null; + } + $batch->addKey($object['Key'], $versionId); + $deleted++; + } + $batch->flush(); + + // If any errors were encountered, then throw an ExceptionCollection + if (count($batch->getExceptions())) { + $e = new ExceptionCollection(); + foreach ($batch->getExceptions() as $exception) { + $e->add($exception->getPrevious()); + } + throw $e; + } + + // Let any listeners know that the bucket was cleared + $this->dispatch(self::AFTER_CLEAR, array('deleted' => $deleted)); + + return $deleted; + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Aws/S3/Model/DeleteObjectsBatch.php b/apps/files_external/3rdparty/aws-sdk-php/Aws/S3/Model/DeleteObjectsBatch.php new file mode 100644 index 0000000000..17d8af33a7 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Aws/S3/Model/DeleteObjectsBatch.php @@ -0,0 +1,87 @@ + %s, VersionId => %s] and call flush when the objects + * should be deleted. + */ +class DeleteObjectsBatch extends AbstractBatchDecorator +{ + /** + * Factory for creating a DeleteObjectsBatch + * + * @param AwsClientInterface $client Client used to transfer requests + * @param string $bucket Bucket that contains the objects to delete + * @param string $mfa MFA token to use with the request + * + * @return self + */ + public static function factory(AwsClientInterface $client, $bucket, $mfa = null) + { + $batch = BatchBuilder::factory() + ->createBatchesWith(new BatchSizeDivisor(1000)) + ->transferWith(new DeleteObjectsTransfer($client, $bucket, $mfa)) + ->build(); + + return new self($batch); + } + + /** + * Add an object to be deleted + * + * @param string $key Key of the object + * @param string $versionId VersionID of the object + * + * @return self + */ + public function addKey($key, $versionId = null) + { + return $this->add(array( + 'Key' => $key, + 'VersionId' => $versionId + )); + } + + /** + * {@inheritdoc} + */ + public function add($item) + { + if ($item instanceof AbstractCommand && $item->getName() == 'DeleteObject') { + $item = array( + 'Key' => $item['Key'], + 'VersionId' => $item['VersionId'] + ); + } + + if (!is_array($item) || (!isset($item['Key']))) { + throw new InvalidArgumentException('Item must be a DeleteObject command or array containing a Key and VersionId key.'); + } + + return $this->decoratedBatch->add($item); + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Aws/S3/Model/DeleteObjectsTransfer.php b/apps/files_external/3rdparty/aws-sdk-php/Aws/S3/Model/DeleteObjectsTransfer.php new file mode 100644 index 0000000000..c3d3828c4e --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Aws/S3/Model/DeleteObjectsTransfer.php @@ -0,0 +1,133 @@ +client = $client; + $this->bucket = $bucket; + $this->mfa = $mfa; + } + + /** + * Set a new MFA token value + * + * @param string $token MFA token + * + * @return self + */ + public function setMfa($token) + { + $this->mfa = $token; + + return $this; + } + + /** + * {@inheritdoc} + * @throws OverflowException if a batch has more than 1000 items + * @throws InvalidArgumentException when an invalid batch item is encountered + */ + public function transfer(array $batch) + { + if (empty($batch)) { + return; + } + + if (count($batch) > 1000) { + throw new OverflowException('Batches should be divided into chunks of no larger than 1000 keys'); + } + + $del = array(); + $command = $this->client->getCommand('DeleteObjects', array( + 'Bucket' => $this->bucket, + Ua::OPTION => Ua::BATCH + )); + + if ($this->mfa) { + $command->getRequestHeaders()->set('x-amz-mfa', $this->mfa); + } + + foreach ($batch as $object) { + // Ensure that the batch item is valid + if (!is_array($object) || !isset($object['Key'])) { + throw new InvalidArgumentException('Invalid batch item encountered: ' . var_export($batch, true)); + } + $del[] = array( + 'Key' => $object['Key'], + 'VersionId' => isset($object['VersionId']) ? $object['VersionId'] : null + ); + } + + $command['Objects'] = $del; + + $command->execute(); + $this->processResponse($command); + } + + /** + * Process the response of the DeleteMultipleObjects request + * + * @paramCommandInterface $command Command executed + */ + protected function processResponse(CommandInterface $command) + { + $result = $command->getResult(); + + // Ensure that the objects were deleted successfully + if (!empty($result['Errors'])) { + $errors = $result['Errors']; + throw new DeleteMultipleObjectsException($errors); + } + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Aws/S3/Model/Grant.php b/apps/files_external/3rdparty/aws-sdk-php/Aws/S3/Model/Grant.php new file mode 100644 index 0000000000..afc2757e8c --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Aws/S3/Model/Grant.php @@ -0,0 +1,139 @@ + 'GrantRead', + Permission::WRITE => 'GrantWrite', + Permission::READ_ACP => 'GrantReadACP', + Permission::WRITE_ACP => 'GrantWriteACP', + Permission::FULL_CONTROL => 'GrantFullControl' + ); + + /** + * @var Grantee The grantee affected by the grant + */ + protected $grantee; + + /** + * @var string The permission set by the grant + */ + protected $permission; + + /** + * Constructs an ACL + * + * @param Grantee $grantee Affected grantee + * @param string $permission Permission applied + */ + public function __construct(Grantee $grantee, $permission) + { + $this->setGrantee($grantee); + $this->setPermission($permission); + } + + /** + * Set the grantee affected by the grant + * + * @param Grantee $grantee Affected grantee + * + * @return self + */ + public function setGrantee(Grantee $grantee) + { + $this->grantee = $grantee; + + return $this; + } + + /** + * Get the grantee affected by the grant + * + * @return Grantee + */ + public function getGrantee() + { + return $this->grantee; + } + + /** + * Set the permission set by the grant + * + * @param string $permission Permission applied + * + * @return self + * + * @throws InvalidArgumentException + */ + public function setPermission($permission) + { + $valid = Permission::values(); + if (!in_array($permission, $valid)) { + throw new InvalidArgumentException('The permission must be one of ' + . 'the following: ' . implode(', ', $valid) . '.'); + } + + $this->permission = $permission; + + return $this; + } + + /** + * Get the permission set by the grant + * + * @return string + */ + public function getPermission() + { + return $this->permission; + } + + /** + * Returns an array of the operation parameter and value to set on the operation + * + * @return array + */ + public function getParameterArray() + { + return array( + self::$parameterMap[$this->permission] => $this->grantee->getHeaderValue() + ); + } + + /** + * {@inheritdoc} + */ + public function toArray() + { + return array( + 'Grantee' => $this->grantee->toArray(), + 'Permission' => $this->permission + ); + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Aws/S3/Model/Grantee.php b/apps/files_external/3rdparty/aws-sdk-php/Aws/S3/Model/Grantee.php new file mode 100644 index 0000000000..f49c70fca1 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Aws/S3/Model/Grantee.php @@ -0,0 +1,245 @@ + 'id', + GranteeType::EMAIL => 'emailAddress', + GranteeType::GROUP => 'uri' + ); + + /** + * @var string The account ID, email, or URL identifying the grantee + */ + protected $id; + + /** + * @var string The display name of the grantee + */ + protected $displayName; + + /** + * @var string The type of the grantee (CanonicalUser or Group) + */ + protected $type; + + /** + * Constructs a Grantee + * + * @param string $id Grantee identifier + * @param string $displayName Grantee display name + * @param string $expectedType The expected type of the grantee + */ + public function __construct($id, $displayName = null, $expectedType = null) + { + $this->type = GranteeType::USER; + $this->setId($id, $expectedType); + $this->setDisplayName($displayName); + } + + /** + * Sets the account ID, email, or URL identifying the grantee + * + * @param string $id Grantee identifier + * @param string $expectedType The expected type of the grantee + * + * @return Grantee + * + * @throws UnexpectedValueException if $expectedType is set and the grantee + * is not of that type after instantiation + * @throws InvalidArgumentException when the ID provided is not a string + */ + public function setId($id, $expectedType = null) + { + if (in_array($id, Group::values())) { + $this->type = GranteeType::GROUP; + } elseif (!is_string($id)) { + throw new InvalidArgumentException('The grantee ID must be provided as a string value.'); + } + + if (strpos($id, '@') !== false) { + $this->type = GranteeType::EMAIL; + } + + if ($expectedType && $expectedType !== $this->type) { + throw new UnexpectedValueException('The type of the grantee after ' + . 'setting the ID did not match the specified, expected type "' + . $expectedType . '" but received "' . $this->type . '".'); + } + + $this->id = $id; + + return $this; + } + + /** + * Gets the grantee identifier + * + * @return string + */ + public function getId() + { + return $this->id; + } + + /** + * Gets the grantee email address (if it is set) + * + * @return null|string + */ + public function getEmailAddress() + { + return $this->isAmazonCustomerByEmail() ? $this->id : null; + } + + /** + * Gets the grantee URI (if it is set) + * + * @return null|string + */ + public function getGroupUri() + { + return $this->isGroup() ? $this->id : null; + } + + /** + * Sets the display name of the grantee + * + * @param string $displayName Grantee name + * + * @return Grantee + * + * @throws LogicException when the grantee type not CanonicalUser + */ + public function setDisplayName($displayName) + { + if ($this->type === GranteeType::USER) { + if (empty($displayName) || !is_string($displayName)) { + $displayName = $this->id; + } + $this->displayName = $displayName; + } else { + if ($displayName) { + throw new LogicException('The display name can only be set ' + . 'for grantees specified by ID.'); + } + } + + return $this; + } + + /** + * Gets the grantee display name + * + * @return string + */ + public function getDisplayName() + { + return $this->displayName; + } + + /** + * Gets the grantee type (determined by ID) + * + * @return string + */ + public function getType() + { + return $this->type; + } + + /** + * Returns true if this grantee object represents a canonical user by ID + * + * @return bool + */ + public function isCanonicalUser() + { + return ($this->type === GranteeType::USER); + } + + /** + * Returns true if this grantee object represents a customer by email + * + * @return bool + */ + public function isAmazonCustomerByEmail() + { + return ($this->type === GranteeType::EMAIL); + } + + /** + * Returns true if this grantee object represents a group by URL + * + * @return bool + */ + public function isGroup() + { + return ($this->type === GranteeType::GROUP); + } + + /** + * Returns the value used in headers to specify this grantee + * + * @return string + */ + public function getHeaderValue() + { + $key = self::$headerMap[$this->type]; + + return "{$key}=\"{$this->id}\""; + } + + /** + * {@inheritdoc} + */ + public function toArray() + { + $result = array( + 'Type' => $this->type + ); + + switch ($this->type) { + case GranteeType::USER: + $result['ID'] = $this->id; + $result['DisplayName'] = $this->displayName; + break; + case GranteeType::EMAIL: + $result['EmailAddress'] = $this->id; + break; + case GranteeType::GROUP: + $result['URI'] = $this->id; + } + + return $result; + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Aws/S3/Model/MultipartUpload/AbstractTransfer.php b/apps/files_external/3rdparty/aws-sdk-php/Aws/S3/Model/MultipartUpload/AbstractTransfer.php new file mode 100644 index 0000000000..c48232d492 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Aws/S3/Model/MultipartUpload/AbstractTransfer.php @@ -0,0 +1,103 @@ +options = array_replace(array( + 'min_part_size' => self::MIN_PART_SIZE, + 'part_md5' => true + ), $this->options); + + // Make sure the part size can be calculated somehow + if (!$this->options['min_part_size'] && !$this->source->getContentLength()) { + throw new RuntimeException('The ContentLength of the data source could not be determined, and no ' + . 'min_part_size option was provided'); + } + } + + /** + * {@inheritdoc} + */ + protected function calculatePartSize() + { + $partSize = $this->source->getContentLength() + ? (int) ceil(($this->source->getContentLength() / self::MAX_PARTS)) + : self::MIN_PART_SIZE; + $partSize = max($this->options['min_part_size'], $partSize); + $partSize = min($partSize, self::MAX_PART_SIZE); + $partSize = max($partSize, self::MIN_PART_SIZE); + + return $partSize; + } + + /** + * {@inheritdoc} + */ + protected function complete() + { + /** @var $part UploadPart */ + $parts = array(); + foreach ($this->state as $part) { + $parts[] = array( + 'PartNumber' => $part->getPartNumber(), + 'ETag' => $part->getETag(), + ); + } + + $params = $this->state->getUploadId()->toParams(); + $params[Ua::OPTION] = Ua::MULTIPART_UPLOAD; + $params['Parts'] = $parts; + $command = $this->client->getCommand('CompleteMultipartUpload', $params); + + return $command->getResult(); + } + + /** + * {@inheritdoc} + */ + protected function getAbortCommand() + { + $params = $this->state->getUploadId()->toParams(); + $params[Ua::OPTION] = Ua::MULTIPART_UPLOAD; + + /** @var $command OperationCommand */ + $command = $this->client->getCommand('AbortMultipartUpload', $params); + + return $command; + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Aws/S3/Model/MultipartUpload/ParallelTransfer.php b/apps/files_external/3rdparty/aws-sdk-php/Aws/S3/Model/MultipartUpload/ParallelTransfer.php new file mode 100644 index 0000000000..caa9e88833 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Aws/S3/Model/MultipartUpload/ParallelTransfer.php @@ -0,0 +1,124 @@ +source->isLocal() || $this->source->getWrapper() != 'plainfile') { + throw new RuntimeException('The source data must be a local file stream when uploading in parallel.'); + } + + if (empty($this->options['concurrency'])) { + throw new RuntimeException('The `concurrency` option must be specified when instantiating.'); + } + } + + /** + * {@inheritdoc} + */ + protected function transfer() + { + $totalParts = (int) ceil($this->source->getContentLength() / $this->partSize); + $concurrency = min($totalParts, $this->options['concurrency']); + $partsToSend = $this->prepareParts($concurrency); + $eventData = $this->getEventData(); + + while (!$this->stopped && count($this->state) < $totalParts) { + + $currentTotal = count($this->state); + $commands = array(); + + for ($i = 0; $i < $concurrency && $i + $currentTotal < $totalParts; $i++) { + + // Move the offset to the correct position + $partsToSend[$i]->setOffset(($currentTotal + $i) * $this->partSize); + + // @codeCoverageIgnoreStart + if ($partsToSend[$i]->getContentLength() == 0) { + break; + } + // @codeCoverageIgnoreEnd + + $params = $this->state->getUploadId()->toParams(); + $eventData['command'] = $this->client->getCommand('UploadPart', array_replace($params, array( + 'PartNumber' => count($this->state) + 1 + $i, + 'Body' => $partsToSend[$i], + 'ContentMD5' => (bool) $this->options['part_md5'], + Ua::OPTION => Ua::MULTIPART_UPLOAD + ))); + $commands[] = $eventData['command']; + // Notify any listeners of the part upload + $this->dispatch(self::BEFORE_PART_UPLOAD, $eventData); + } + + // Allow listeners to stop the transfer if needed + if ($this->stopped) { + break; + } + + // Execute each command, iterate over the results, and add to the transfer state + /** @var $command \Guzzle\Service\Command\OperationCommand */ + foreach ($this->client->execute($commands) as $command) { + $this->state->addPart(UploadPart::fromArray(array( + 'PartNumber' => count($this->state) + 1, + 'ETag' => $command->getResponse()->getEtag(), + 'Size' => (int) $command->getResponse()->getContentLength(), + 'LastModified' => gmdate(DateFormat::RFC2822) + ))); + $eventData['command'] = $command; + // Notify any listeners the the part was uploaded + $this->dispatch(self::AFTER_PART_UPLOAD, $eventData); + } + } + } + + /** + * Prepare the entity body handles to use while transferring + * + * @param int $concurrency Number of parts to prepare + * + * @return array Parts to send + */ + protected function prepareParts($concurrency) + { + $url = $this->source->getUri(); + // Use the source EntityBody as the first part + $parts = array(new ReadLimitEntityBody($this->source, $this->partSize)); + // Open EntityBody handles for each part to upload in parallel + for ($i = 1; $i < $concurrency; $i++) { + $parts[] = new ReadLimitEntityBody(new EntityBody(fopen($url, 'r')), $this->partSize); + } + + return $parts; + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Aws/S3/Model/MultipartUpload/SerialTransfer.php b/apps/files_external/3rdparty/aws-sdk-php/Aws/S3/Model/MultipartUpload/SerialTransfer.php new file mode 100644 index 0000000000..4a5953f5b2 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Aws/S3/Model/MultipartUpload/SerialTransfer.php @@ -0,0 +1,86 @@ +stopped && !$this->source->isConsumed()) { + + if ($this->source->getContentLength() && $this->source->isSeekable()) { + // If the stream is seekable and the Content-Length known, then stream from the data source + $body = new ReadLimitEntityBody($this->source, $this->partSize, $this->source->ftell()); + } else { + // We need to read the data source into a temporary buffer before streaming + $body = EntityBody::factory(); + while ($body->getContentLength() < $this->partSize + && $body->write( + $this->source->read(max(1, min(10 * Size::KB, $this->partSize - $body->getContentLength()))) + )); + } + + // @codeCoverageIgnoreStart + if ($body->getContentLength() == 0) { + break; + } + // @codeCoverageIgnoreEnd + + $params = $this->state->getUploadId()->toParams(); + $command = $this->client->getCommand('UploadPart', array_replace($params, array( + 'PartNumber' => count($this->state) + 1, + 'Body' => $body, + 'ContentMD5' => (bool) $this->options['part_md5'], + Ua::OPTION => Ua::MULTIPART_UPLOAD + ))); + + // Notify observers that the part is about to be uploaded + $eventData = $this->getEventData(); + $eventData['command'] = $command; + $this->dispatch(self::BEFORE_PART_UPLOAD, $eventData); + + // Allow listeners to stop the transfer if needed + if ($this->stopped) { + break; + } + + $response = $command->getResponse(); + + $this->state->addPart(UploadPart::fromArray(array( + 'PartNumber' => count($this->state) + 1, + 'ETag' => $response->getEtag(), + 'Size' => $body->getContentLength(), + 'LastModified' => gmdate(DateFormat::RFC2822) + ))); + + // Notify observers that the part was uploaded + $this->dispatch(self::AFTER_PART_UPLOAD, $eventData); + } + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Aws/S3/Model/MultipartUpload/TransferState.php b/apps/files_external/3rdparty/aws-sdk-php/Aws/S3/Model/MultipartUpload/TransferState.php new file mode 100644 index 0000000000..c63663fd64 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Aws/S3/Model/MultipartUpload/TransferState.php @@ -0,0 +1,41 @@ +getIterator('ListParts', $uploadId->toParams()) as $part) { + $transferState->addPart(UploadPart::fromArray($part)); + } + + return $transferState; + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Aws/S3/Model/MultipartUpload/UploadBuilder.php b/apps/files_external/3rdparty/aws-sdk-php/Aws/S3/Model/MultipartUpload/UploadBuilder.php new file mode 100644 index 0000000000..6da35ef653 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Aws/S3/Model/MultipartUpload/UploadBuilder.php @@ -0,0 +1,296 @@ +setOption('Bucket', $bucket); + } + + /** + * Set the key of the object + * + * @param string $key Key of the object to upload + * + * @return self + */ + public function setKey($key) + { + return $this->setOption('Key', $key); + } + + /** + * Set the minimum acceptable part size + * + * @param int $minSize Minimum acceptable part size in bytes + * + * @return self + */ + public function setMinPartSize($minSize) + { + $this->minPartSize = (int) max((int) $minSize, AbstractTransfer::MIN_PART_SIZE); + + return $this; + } + + /** + * Set the concurrency level to use when uploading parts. This affects how + * many parts are uploaded in parallel. You must use a local file as your + * data source when using a concurrency greater than 1 + * + * @param int $concurrency Concurrency level + * + * @return self + */ + public function setConcurrency($concurrency) + { + $this->concurrency = $concurrency; + + return $this; + } + + /** + * Explicitly set the MD5 hash of the entire body + * + * @param string $md5 MD5 hash of the entire body + * + * @return self + */ + public function setMd5($md5) + { + $this->md5 = $md5; + + return $this; + } + + /** + * Set to true to have the builder calculate the MD5 hash of the entire data + * source before initiating a multipart upload (this could be an expensive + * operation). This setting can ony be used with seekable data sources. + * + * @param bool $calculateMd5 Set to true to calculate the MD5 hash of the body + * + * @return self + */ + public function calculateMd5($calculateMd5) + { + $this->calculateEntireMd5 = (bool) $calculateMd5; + + return $this; + } + + /** + * Specify whether or not to calculate the MD5 hash of each uploaded part. + * This setting defaults to true. + * + * @param bool $usePartMd5 Set to true to calculate the MD5 has of each part + * + * @return self + */ + public function calculatePartMd5($usePartMd5) + { + $this->calculatePartMd5 = (bool) $usePartMd5; + + return $this; + } + + /** + * Set the ACP to use on the object + * + * @param Acp $acp ACP to set on the object + * + * @return self + */ + public function setAcp(Acp $acp) + { + return $this->setOption('ACP', $acp); + } + + /** + * Set an option to pass to the initial CreateMultipartUpload operation + * + * @param string $name Option name + * @param string $value Option value + * + * @return self + */ + public function setOption($name, $value) + { + $this->commandOptions[$name] = $value; + + return $this; + } + + /** + * Add an array of options to pass to the initial CreateMultipartUpload operation + * + * @param array $options Array of CreateMultipartUpload operation parameters + * + * @return self + */ + public function addOptions(array $options) + { + $this->commandOptions = array_replace($this->commandOptions, $options); + + return $this; + } + + /** + * Set an array of transfer options to apply to the upload transfer object + * + * @param array $options Transfer options + * + * @return self + */ + public function setTransferOptions(array $options) + { + $this->transferOptions = $options; + + return $this; + } + + /** + * {@inheritdoc} + * @throws InvalidArgumentException when attempting to resume a transfer using a non-seekable stream + * @throws InvalidArgumentException when missing required properties (bucket, key, client, source) + */ + public function build() + { + if ($this->state instanceof TransferState) { + $this->commandOptions = array_replace($this->commandOptions, $this->state->getUploadId()->toParams()); + } + + if (!isset($this->commandOptions['Bucket']) || !isset($this->commandOptions['Key']) + || !$this->client || !$this->source + ) { + throw new InvalidArgumentException('You must specify a Bucket, Key, client, and source.'); + } + + if ($this->state && !$this->source->isSeekable()) { + throw new InvalidArgumentException('You cannot resume a transfer using a non-seekable source.'); + } + + // If no state was set, then create one by initiating or loading a multipart upload + if (is_string($this->state)) { + $this->state = TransferState::fromUploadId($this->client, UploadId::fromParams(array( + 'Bucket' => $this->commandOptions['Bucket'], + 'Key' => $this->commandOptions['Key'], + 'UploadId' => $this->state + ))); + } elseif (!$this->state) { + $this->state = $this->initiateMultipartUpload(); + } + + $options = array_replace(array( + 'min_part_size' => $this->minPartSize, + 'part_md5' => (bool) $this->calculatePartMd5, + 'concurrency' => $this->concurrency + ), $this->transferOptions); + + return $this->concurrency > 1 + ? new ParallelTransfer($this->client, $this->state, $this->source, $options) + : new SerialTransfer($this->client, $this->state, $this->source, $options); + } + + /** + * {@inheritdoc} + */ + protected function initiateMultipartUpload() + { + // Determine Content-Type + if ($mimeType = $this->source->getContentType()) { + $this->commandOptions['ContentType'] = $mimeType; + } + + $params = array_replace(array( + Ua::OPTION => Ua::MULTIPART_UPLOAD, + 'command.headers' => $this->headers, + 'Metadata' => array() + ), $this->commandOptions); + + // Calculate the MD5 hash if none was set and it is asked of the builder + if ($this->calculateEntireMd5) { + $this->md5 = $this->source->getContentMd5(); + } + + // If an MD5 is specified, then add it to the custom headers of the request + // so that it will be returned when downloading the object from Amazon S3 + if ($this->md5) { + $params['Metadata']['x-amz-Content-MD5'] = $this->md5; + } + + $result = $this->client->getCommand('CreateMultipartUpload', $params)->execute(); + // Create a new state based on the initiated upload + $params['UploadId'] = $result['UploadId']; + + return new TransferState(UploadId::fromParams($params)); + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Aws/S3/Model/MultipartUpload/UploadId.php b/apps/files_external/3rdparty/aws-sdk-php/Aws/S3/Model/MultipartUpload/UploadId.php new file mode 100644 index 0000000000..9d5f384216 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Aws/S3/Model/MultipartUpload/UploadId.php @@ -0,0 +1,35 @@ + false, + 'Key' => false, + 'UploadId' => false + ); +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Aws/S3/Model/MultipartUpload/UploadPart.php b/apps/files_external/3rdparty/aws-sdk-php/Aws/S3/Model/MultipartUpload/UploadPart.php new file mode 100644 index 0000000000..e0ded33abd --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Aws/S3/Model/MultipartUpload/UploadPart.php @@ -0,0 +1,74 @@ + 'partNumber', + 'ETag' => 'eTag', + 'LastModified' => 'lastModified', + 'Size' => 'size' + ); + + /** + * @var string The ETag for this part + */ + protected $eTag; + + /** + * @var string The last modified date + */ + protected $lastModified; + + /** + * @var int The size (or content-length) in bytes of the upload body + */ + protected $size; + + /** + * @return string + */ + public function getETag() + { + return $this->eTag; + } + + /** + * @return string + */ + public function getLastModified() + { + return $this->lastModified; + } + + /** + * @return int + */ + public function getSize() + { + return $this->size; + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Aws/S3/Model/PostObject.php b/apps/files_external/3rdparty/aws-sdk-php/Aws/S3/Model/PostObject.php new file mode 100644 index 0000000000..eaa726e4ae --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Aws/S3/Model/PostObject.php @@ -0,0 +1,254 @@ + tag attributes as an array + */ + protected $formAttributes; + + /** + * @var array The form's elements as an array + */ + protected $formInputs; + + /** + * @var string The raw json policy + */ + protected $jsonPolicy; + + /** + * Constructs the PostObject + * + * The options array accepts the following keys: + * + * - acl: The access control setting to apply to the uploaded file. Accepts any of the + * CannedAcl constants + * - Cache-Control: The Cache-Control HTTP header value to apply to the uploaded file + * - Content-Disposition: The Content-Disposition HTTP header value to apply to the uploaded file + * - Content-Encoding: The Content-Encoding HTTP header value to apply to the uploaded file + * - Content-Type: The Content-Type HTTP header value to apply to the uploaded file. The default + * value is `application/octet-stream` + * - Expires: The Expires HTTP header value to apply to the uploaded file + * - key: The location where the file should be uploaded to. The default value is + * `^${filename}` which will use the name of the uploaded file + * - policy: A raw policy in JSON format. By default, the PostObject creates one for you + * - success_action_redirect: The URI for Amazon S3 to redirect to upon successful upload + * - success_action_status: The status code for Amazon S3 to return upon successful upload + * - ttd: The expiration time for the generated upload form data + * - x-amz-server-side-encryption: The server-side encryption mechanism to use + * - x-amz-storage-class: The storage setting to apply to the object + * - x-amz-meta-*: Any custom meta tag that should be set to the object + * + * For the Cache-Control, Content-Disposition, Content-Encoding, + * Content-Type, Expires, and key options, to use a "starts-with" comparison + * instead of an equals comparison, prefix the value with a ^ (carat) + * character + * + * @param S3Client $client + * @param $bucket + * @param array $options + */ + public function __construct(S3Client $client, $bucket, array $options = array()) + { + $this->setClient($client); + $this->setBucket($bucket); + parent::__construct($options); + } + + /** + * Analyzes the provided data and turns it into useful data that can be + * consumed and used to build an upload form + * + * @return PostObject + */ + public function prepareData() + { + // Validate required options + $options = Collection::fromConfig($this->data, array( + 'ttd' => '+1 hour', + 'key' => '^${filename}', + )); + + // Format ttd option + $ttd = $options['ttd']; + $ttd = is_numeric($ttd) ? (int) $ttd : strtotime($ttd); + unset($options['ttd']); + + // Save policy if passed in + $rawPolicy = $options['policy']; + unset($options['policy']); + + // Setup policy document + $policy = array( + 'expiration' => gmdate(DateFormat::ISO8601_S3, $ttd), + 'conditions' => array(array('bucket' => $this->bucket)) + ); + + // Configure the endpoint/action + $url = Url::factory($this->client->getBaseUrl()); + $url->setHost($this->bucket . '.' . $url->getHost()); + + // Setup basic form + $this->formAttributes = array( + 'action' => (string) $url, + 'method' => 'POST', + 'enctype' => 'multipart/form-data' + ); + $this->formInputs = array( + 'AWSAccessKeyId' => $this->client->getCredentials()->getAccessKeyId() + ); + + // Add success action status + $status = (int) $options->get('success_action_status'); + if ($status && in_array($status, array(200, 201, 204))) { + $this->formInputs['success_action_status'] = (string) $status; + $policy['conditions'][] = array( + 'success_action_status' => (string) $status + ); + $options->remove('success_action_status'); + } + + // Add other options + foreach ($options as $key => $value) { + $value = (string) $value; + if ($value[0] === '^') { + $value = substr($value, 1); + $this->formInputs[$key] = $value; + $value = preg_replace('/\$\{(\w*)\}/', '', $value); + $policy['conditions'][] = array('starts-with', '$' . $key, $value); + } else { + $this->formInputs[$key] = $value; + $policy['conditions'][] = array($key => $value); + } + } + + // Add policy + $this->jsonPolicy = $rawPolicy ?: json_encode($policy); + $jsonPolicy64 = base64_encode($this->jsonPolicy); + $this->formInputs['policy'] = $jsonPolicy64; + + // Add signature + $this->formInputs['signature'] = base64_encode(hash_hmac( + 'sha1', + $jsonPolicy64, + $this->client->getCredentials()->getSecretKey(), + true + )); + + return $this; + } + + /** + * Sets the S3 client + * + * @param S3Client $client + * + * @return PostObject + */ + public function setClient(S3Client $client) + { + $this->client = $client; + + return $this; + } + + /** + * Gets the S3 client + * + * @return S3Client + */ + public function getClient() + { + return $this->client; + } + + /** + * Sets the bucket and makes sure it is a valid bucket name + * + * @param string $bucket + * + * @return PostObject + */ + public function setBucket($bucket) + { + $this->bucket = $bucket; + + return $this; + } + + /** + * Gets the bucket name + * + * @return string + */ + public function getBucket() + { + return $this->bucket; + } + + /** + * Gets the form attributes as an array + * + * @return array + */ + public function getFormAttributes() + { + return $this->formAttributes; + } + + /** + * Gets the form inputs as an array + * + * @return array + */ + public function getFormInputs() + { + return $this->formInputs; + } + + /** + * Gets the raw JSON policy + * + * @return string + */ + public function getJsonPolicy() + { + return $this->jsonPolicy; + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Aws/S3/Resources/s3-2006-03-01.php b/apps/files_external/3rdparty/aws-sdk-php/Aws/S3/Resources/s3-2006-03-01.php new file mode 100644 index 0000000000..516440f1a0 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Aws/S3/Resources/s3-2006-03-01.php @@ -0,0 +1,4931 @@ + '2006-03-01', + 'endpointPrefix' => 's3', + 'serviceFullName' => 'Amazon Simple Storage Service', + 'serviceAbbreviation' => 'Amazon S3', + 'serviceType' => 'rest-xml', + 'timestampFormat' => 'rfc822', + 'globalEndpoint' => 's3.amazonaws.com', + 'signatureVersion' => 's3', + 'namespace' => 'S3', + 'regions' => array( + 'us-east-1' => array( + 'http' => true, + 'https' => true, + 'hostname' => 's3.amazonaws.com', + ), + 'us-west-1' => array( + 'http' => true, + 'https' => true, + 'hostname' => 's3-us-west-1.amazonaws.com', + ), + 'us-west-2' => array( + 'http' => true, + 'https' => true, + 'hostname' => 's3-us-west-2.amazonaws.com', + ), + 'eu-west-1' => array( + 'http' => true, + 'https' => true, + 'hostname' => 's3-eu-west-1.amazonaws.com', + ), + 'ap-northeast-1' => array( + 'http' => true, + 'https' => true, + 'hostname' => 's3-ap-northeast-1.amazonaws.com', + ), + 'ap-southeast-1' => array( + 'http' => true, + 'https' => true, + 'hostname' => 's3-ap-southeast-1.amazonaws.com', + ), + 'ap-southeast-2' => array( + 'http' => true, + 'https' => true, + 'hostname' => 's3-ap-southeast-2.amazonaws.com', + ), + 'sa-east-1' => array( + 'http' => true, + 'https' => true, + 'hostname' => 's3-sa-east-1.amazonaws.com', + ), + 'us-gov-west-1' => array( + 'http' => true, + 'https' => true, + 'hostname' => 's3-us-gov-west-1.amazonaws.com', + ), + ), + 'operations' => array( + 'AbortMultipartUpload' => array( + 'httpMethod' => 'DELETE', + 'uri' => '/{Bucket}{/Key*}', + 'class' => 'Aws\\S3\\Command\\S3Command', + 'responseClass' => 'AbortMultipartUploadOutput', + 'responseType' => 'model', + 'summary' => 'Aborts a multipart upload.', + 'documentationUrl' => 'http://docs.amazonwebservices.com/AmazonS3/latest/API/mpUploadAbort.html', + 'parameters' => array( + 'Bucket' => array( + 'required' => true, + 'type' => 'string', + 'location' => 'uri', + ), + 'Key' => array( + 'required' => true, + 'type' => 'string', + 'location' => 'uri', + 'filters' => array( + 'Aws\\S3\\S3Client::explodeKey', + ), + ), + 'UploadId' => array( + 'required' => true, + 'type' => 'string', + 'location' => 'query', + 'sentAs' => 'uploadId', + ), + ), + 'errorResponses' => array( + array( + 'reason' => 'The specified multipart upload does not exist.', + 'class' => 'NoSuchUploadException', + ), + ), + ), + 'CompleteMultipartUpload' => array( + 'httpMethod' => 'POST', + 'uri' => '/{Bucket}{/Key*}', + 'class' => 'Aws\\S3\\Command\\S3Command', + 'responseClass' => 'CompleteMultipartUploadOutput', + 'responseType' => 'model', + 'summary' => 'Completes a multipart upload by assembling previously uploaded parts.', + 'documentationUrl' => 'http://docs.amazonwebservices.com/AmazonS3/latest/API/mpUploadComplete.html', + 'data' => array( + 'xmlRoot' => array( + 'name' => 'MultipartUpload', + 'namespaces' => array( + 'http://s3.amazonaws.com/doc/2006-03-01/', + ), + ), + ), + 'parameters' => array( + 'Bucket' => array( + 'required' => true, + 'type' => 'string', + 'location' => 'uri', + ), + 'Key' => array( + 'required' => true, + 'type' => 'string', + 'location' => 'uri', + 'filters' => array( + 'Aws\\S3\\S3Client::explodeKey', + ), + ), + 'Parts' => array( + 'type' => 'array', + 'location' => 'xml', + 'data' => array( + 'xmlFlattened' => true, + ), + 'items' => array( + 'type' => 'object', + 'sentAs' => 'Part', + 'properties' => array( + 'ETag' => array( + 'description' => 'Entity tag returned when the part was uploaded.', + 'type' => 'string', + ), + 'PartNumber' => array( + 'description' => 'Part number that identifies the part.', + 'type' => 'numeric', + ), + ), + ), + ), + 'UploadId' => array( + 'required' => true, + 'type' => 'string', + 'location' => 'query', + 'sentAs' => 'uploadId', + ), + 'command.expects' => array( + 'static' => true, + 'default' => 'application/xml', + ), + ), + ), + 'CopyObject' => array( + 'httpMethod' => 'PUT', + 'uri' => '/{Bucket}{/Key*}', + 'class' => 'Aws\\S3\\Command\\S3Command', + 'responseClass' => 'CopyObjectOutput', + 'responseType' => 'model', + 'summary' => 'Creates a copy of an object that is already stored in Amazon S3.', + 'documentationUrl' => 'http://docs.amazonwebservices.com/AmazonS3/latest/API/RESTObjectCOPY.html', + 'parameters' => array( + 'ACL' => array( + 'description' => 'The canned ACL to apply to the object.', + 'type' => 'string', + 'location' => 'header', + 'sentAs' => 'x-amz-acl', + 'enum' => array( + 'private', + 'public-read', + 'public-read-write', + 'authenticated-read', + 'bucket-owner-read', + 'bucket-owner-full-control', + ), + ), + 'Bucket' => array( + 'required' => true, + 'type' => 'string', + 'location' => 'uri', + ), + 'CacheControl' => array( + 'description' => 'Specifies caching behavior along the request/reply chain.', + 'type' => 'string', + 'location' => 'header', + 'sentAs' => 'Cache-Control', + ), + 'ContentDisposition' => array( + 'description' => 'Specifies presentational information for the object.', + 'type' => 'string', + 'location' => 'header', + 'sentAs' => 'Content-Disposition', + ), + 'ContentEncoding' => array( + 'description' => 'Specifies what content encodings have been applied to the object and thus what decoding mechanisms must be applied to obtain the media-type referenced by the Content-Type header field.', + 'type' => 'string', + 'location' => 'header', + 'sentAs' => 'Content-Encoding', + ), + 'ContentLanguage' => array( + 'description' => 'The language the content is in.', + 'type' => 'string', + 'location' => 'header', + 'sentAs' => 'Content-Language', + ), + 'ContentType' => array( + 'description' => 'A standard MIME type describing the format of the object data.', + 'type' => 'string', + 'location' => 'header', + 'sentAs' => 'Content-Type', + ), + 'CopySource' => array( + 'required' => true, + 'description' => 'The name of the source bucket and key name of the source object, separated by a slash (/). Must be URL-encoded.', + 'type' => 'string', + 'location' => 'header', + 'sentAs' => 'x-amz-copy-source', + ), + 'CopySourceIfMatch' => array( + 'description' => 'Copies the object if its entity tag (ETag) matches the specified tag.', + 'type' => array( + 'object', + 'string', + 'integer', + ), + 'format' => 'date-time-http', + 'location' => 'header', + 'sentAs' => 'x-amz-copy-source-if-match', + ), + 'CopySourceIfModifiedSince' => array( + 'description' => 'Copies the object if it has been modified since the specified time.', + 'type' => array( + 'object', + 'string', + 'integer', + ), + 'format' => 'date-time-http', + 'location' => 'header', + 'sentAs' => 'x-amz-copy-source-if-modified-since', + ), + 'CopySourceIfNoneMatch' => array( + 'description' => 'Copies the object if its entity tag (ETag) is different than the specified ETag.', + 'type' => array( + 'object', + 'string', + 'integer', + ), + 'format' => 'date-time-http', + 'location' => 'header', + 'sentAs' => 'x-amz-copy-source-if-none-match', + ), + 'CopySourceIfUnmodifiedSince' => array( + 'description' => 'Copies the object if it hasn\'t been modified since the specified time.', + 'type' => array( + 'object', + 'string', + 'integer', + ), + 'format' => 'date-time-http', + 'location' => 'header', + 'sentAs' => 'x-amz-copy-source-if-unmodified-since', + ), + 'Expires' => array( + 'description' => 'The date and time at which the object is no longer cacheable.', + 'type' => array( + 'object', + 'string', + 'integer', + ), + 'format' => 'date-time-http', + 'location' => 'header', + ), + 'GrantFullControl' => array( + 'description' => 'Gives the grantee READ, READ_ACP, and WRITE_ACP permissions on the object.', + 'type' => 'string', + 'location' => 'header', + 'sentAs' => 'x-amz-grant-full-control', + ), + 'GrantRead' => array( + 'description' => 'Allows grantee to read the object data and its metadata.', + 'type' => 'string', + 'location' => 'header', + 'sentAs' => 'x-amz-grant-read', + ), + 'GrantReadACP' => array( + 'description' => 'Allows grantee to read the object ACL.', + 'type' => 'string', + 'location' => 'header', + 'sentAs' => 'x-amz-grant-read-acp', + ), + 'GrantWriteACP' => array( + 'description' => 'Allows grantee to write the ACL for the applicable object.', + 'type' => 'string', + 'location' => 'header', + 'sentAs' => 'x-amz-grant-write-acp', + ), + 'Key' => array( + 'required' => true, + 'type' => 'string', + 'location' => 'uri', + 'filters' => array( + 'Aws\\S3\\S3Client::explodeKey', + ), + ), + 'Metadata' => array( + 'description' => 'A map of metadata to store with the object in S3.', + 'type' => 'object', + 'location' => 'header', + 'sentAs' => 'x-amz-meta-', + 'additionalProperties' => array( + 'description' => 'The metadata key. This will be prefixed with x-amz-meta- before sending to S3 as a header. The x-amz-meta- header will be stripped from the key when retrieving headers.', + 'type' => 'string', + ), + ), + 'MetadataDirective' => array( + 'description' => 'Specifies whether the metadata is copied from the source object or replaced with metadata provided in the request.', + 'type' => 'string', + 'location' => 'header', + 'sentAs' => 'x-amz-metadata-directive', + 'enum' => array( + 'COPY', + 'REPLACE', + ), + ), + 'ServerSideEncryption' => array( + 'description' => 'The Server-side encryption algorithm used when storing this object in S3.', + 'type' => 'string', + 'location' => 'header', + 'sentAs' => 'x-amz-server-side-encryption', + 'enum' => array( + 'AES256', + ), + ), + 'StorageClass' => array( + 'description' => 'The type of storage to use for the object. Defaults to \'STANDARD\'.', + 'type' => 'string', + 'location' => 'header', + 'sentAs' => 'x-amz-storage-class', + 'enum' => array( + 'STANDARD', + 'REDUCED_REDUNDANCY', + ), + ), + 'WebsiteRedirectLocation' => array( + 'description' => 'If the bucket is configured as a website, redirects requests for this object to another object in the same bucket or to an external URL. Amazon S3 stores the value of this header in the object metadata.', + 'type' => 'string', + 'location' => 'header', + 'sentAs' => 'x-amz-website-redirect-location', + ), + 'ACP' => array( + 'description' => 'Pass an Aws\\S3\\Model\\Acp object as an alternative way to add access control policy headers to the operation', + 'type' => 'object', + 'additionalProperties' => true, + ), + 'command.expects' => array( + 'static' => true, + 'default' => 'application/xml', + ), + ), + 'errorResponses' => array( + array( + 'reason' => 'The source object of the COPY operation is not in the active tier and is only stored in Amazon Glacier.', + 'class' => 'ObjectNotInActiveTierErrorException', + ), + ), + ), + 'CreateBucket' => array( + 'httpMethod' => 'PUT', + 'uri' => '/{Bucket}', + 'class' => 'Aws\\S3\\Command\\S3Command', + 'responseClass' => 'CreateBucketOutput', + 'responseType' => 'model', + 'summary' => 'Creates a new bucket.', + 'documentationUrl' => 'http://docs.amazonwebservices.com/AmazonS3/latest/API/RESTBucketPUT.html', + 'data' => array( + 'xmlRoot' => array( + 'name' => 'CreateBucketConfiguration', + 'namespaces' => array( + 'http://s3.amazonaws.com/doc/2006-03-01/', + ), + ), + ), + 'parameters' => array( + 'ACL' => array( + 'description' => 'The canned ACL to apply to the bucket.', + 'type' => 'string', + 'location' => 'header', + 'sentAs' => 'x-amz-acl', + 'enum' => array( + 'private', + 'public-read', + 'public-read-write', + 'authenticated-read', + 'bucket-owner-read', + 'bucket-owner-full-control', + ), + ), + 'Bucket' => array( + 'required' => true, + 'type' => 'string', + 'location' => 'uri', + ), + 'LocationConstraint' => array( + 'description' => 'Specifies the region where the bucket will be created.', + 'type' => 'string', + 'location' => 'xml', + 'enum' => array( + 'EU', + 'eu-west-1', + 'us-west-1', + 'us-west-2', + 'ap-southeast-1', + 'ap-northeast-1', + 'sa-east-1', + ), + ), + 'GrantFullControl' => array( + 'description' => 'Allows grantee the read, write, read ACP, and write ACP permissions on the bucket.', + 'type' => 'string', + 'location' => 'header', + 'sentAs' => 'x-amz-grant-full-control', + ), + 'GrantRead' => array( + 'description' => 'Allows grantee to list the objects in the bucket.', + 'type' => 'string', + 'location' => 'header', + 'sentAs' => 'x-amz-grant-read', + ), + 'GrantReadACP' => array( + 'description' => 'Allows grantee to read the bucket ACL.', + 'type' => 'string', + 'location' => 'header', + 'sentAs' => 'x-amz-grant-read-acp', + ), + 'GrantWrite' => array( + 'description' => 'Allows grantee to create, overwrite, and delete any object in the bucket.', + 'type' => 'string', + 'location' => 'header', + 'sentAs' => 'x-amz-grant-write', + ), + 'GrantWriteACP' => array( + 'description' => 'Allows grantee to write the ACL for the applicable bucket.', + 'type' => 'string', + 'location' => 'header', + 'sentAs' => 'x-amz-grant-write-acp', + ), + 'ACP' => array( + 'description' => 'Pass an Aws\\S3\\Model\\Acp object as an alternative way to add access control policy headers to the operation', + 'type' => 'object', + 'additionalProperties' => true, + ), + ), + 'errorResponses' => array( + array( + 'reason' => 'The requested bucket name is not available. The bucket namespace is shared by all users of the system. Please select a different name and try again.', + 'class' => 'BucketAlreadyExistsException', + ), + ), + ), + 'CreateMultipartUpload' => array( + 'httpMethod' => 'POST', + 'uri' => '/{Bucket}{/Key*}', + 'class' => 'Aws\\S3\\Command\\S3Command', + 'responseClass' => 'CreateMultipartUploadOutput', + 'responseType' => 'model', + 'summary' => 'Initiates a multipart upload and returns an upload ID.', + 'documentationUrl' => 'http://docs.amazonwebservices.com/AmazonS3/latest/API/mpUploadInitiate.html', + 'parameters' => array( + 'ACL' => array( + 'description' => 'The canned ACL to apply to the object.', + 'type' => 'string', + 'location' => 'header', + 'sentAs' => 'x-amz-acl', + 'enum' => array( + 'private', + 'public-read', + 'public-read-write', + 'authenticated-read', + 'bucket-owner-read', + 'bucket-owner-full-control', + ), + ), + 'Bucket' => array( + 'required' => true, + 'type' => 'string', + 'location' => 'uri', + ), + 'CacheControl' => array( + 'description' => 'Specifies caching behavior along the request/reply chain.', + 'type' => 'string', + 'location' => 'header', + 'sentAs' => 'Cache-Control', + ), + 'ContentDisposition' => array( + 'description' => 'Specifies presentational information for the object.', + 'type' => 'string', + 'location' => 'header', + 'sentAs' => 'Content-Disposition', + ), + 'ContentEncoding' => array( + 'description' => 'Specifies what content encodings have been applied to the object and thus what decoding mechanisms must be applied to obtain the media-type referenced by the Content-Type header field.', + 'type' => 'string', + 'location' => 'header', + 'sentAs' => 'Content-Encoding', + ), + 'ContentLanguage' => array( + 'description' => 'The language the content is in.', + 'type' => 'string', + 'location' => 'header', + 'sentAs' => 'Content-Language', + ), + 'ContentType' => array( + 'description' => 'A standard MIME type describing the format of the object data.', + 'type' => 'string', + 'location' => 'header', + 'sentAs' => 'Content-Type', + ), + 'Expires' => array( + 'description' => 'The date and time at which the object is no longer cacheable.', + 'type' => array( + 'object', + 'string', + 'integer', + ), + 'format' => 'date-time-http', + 'location' => 'header', + ), + 'GrantFullControl' => array( + 'description' => 'Gives the grantee READ, READ_ACP, and WRITE_ACP permissions on the object.', + 'type' => 'string', + 'location' => 'header', + 'sentAs' => 'x-amz-grant-full-control', + ), + 'GrantRead' => array( + 'description' => 'Allows grantee to read the object data and its metadata.', + 'type' => 'string', + 'location' => 'header', + 'sentAs' => 'x-amz-grant-read', + ), + 'GrantReadACP' => array( + 'description' => 'Allows grantee to read the object ACL.', + 'type' => 'string', + 'location' => 'header', + 'sentAs' => 'x-amz-grant-read-acp', + ), + 'GrantWriteACP' => array( + 'description' => 'Allows grantee to write the ACL for the applicable object.', + 'type' => 'string', + 'location' => 'header', + 'sentAs' => 'x-amz-grant-write-acp', + ), + 'Key' => array( + 'required' => true, + 'type' => 'string', + 'location' => 'uri', + 'filters' => array( + 'Aws\\S3\\S3Client::explodeKey', + ), + ), + 'Metadata' => array( + 'description' => 'A map of metadata to store with the object in S3.', + 'type' => 'object', + 'location' => 'header', + 'sentAs' => 'x-amz-meta-', + 'additionalProperties' => array( + 'description' => 'The metadata key. This will be prefixed with x-amz-meta- before sending to S3 as a header. The x-amz-meta- header will be stripped from the key when retrieving headers.', + 'type' => 'string', + ), + ), + 'ServerSideEncryption' => array( + 'description' => 'The Server-side encryption algorithm used when storing this object in S3.', + 'type' => 'string', + 'location' => 'header', + 'sentAs' => 'x-amz-server-side-encryption', + 'enum' => array( + 'AES256', + ), + ), + 'StorageClass' => array( + 'description' => 'The type of storage to use for the object. Defaults to \'STANDARD\'.', + 'type' => 'string', + 'location' => 'header', + 'sentAs' => 'x-amz-storage-class', + 'enum' => array( + 'STANDARD', + 'REDUCED_REDUNDANCY', + ), + ), + 'WebsiteRedirectLocation' => array( + 'description' => 'If the bucket is configured as a website, redirects requests for this object to another object in the same bucket or to an external URL. Amazon S3 stores the value of this header in the object metadata.', + 'type' => 'string', + 'location' => 'header', + 'sentAs' => 'x-amz-website-redirect-location', + ), + 'SubResource' => array( + 'required' => true, + 'static' => true, + 'location' => 'query', + 'sentAs' => 'uploads', + 'default' => '_guzzle_blank_', + ), + 'ACP' => array( + 'description' => 'Pass an Aws\\S3\\Model\\Acp object as an alternative way to add access control policy headers to the operation', + 'type' => 'object', + 'additionalProperties' => true, + ), + 'command.expects' => array( + 'static' => true, + 'default' => 'application/xml', + ), + ), + ), + 'DeleteBucket' => array( + 'httpMethod' => 'DELETE', + 'uri' => '/{Bucket}', + 'class' => 'Aws\\S3\\Command\\S3Command', + 'responseClass' => 'DeleteBucketOutput', + 'responseType' => 'model', + 'summary' => 'Deletes the bucket. All objects (including all object versions and Delete Markers) in the bucket must be deleted before the bucket itself can be deleted.', + 'documentationUrl' => 'http://docs.amazonwebservices.com/AmazonS3/latest/API/RESTBucketDELETE.html', + 'parameters' => array( + 'Bucket' => array( + 'required' => true, + 'type' => 'string', + 'location' => 'uri', + ), + ), + ), + 'DeleteBucketCors' => array( + 'httpMethod' => 'DELETE', + 'uri' => '/{Bucket}', + 'class' => 'Aws\\S3\\Command\\S3Command', + 'responseClass' => 'DeleteBucketCorsOutput', + 'responseType' => 'model', + 'summary' => 'Deletes the cors configuration information set for the bucket.', + 'documentationUrl' => 'http://docs.amazonwebservices.com/AmazonS3/latest/API/RESTBucketDELETEcors.html', + 'parameters' => array( + 'Bucket' => array( + 'required' => true, + 'type' => 'string', + 'location' => 'uri', + ), + 'SubResource' => array( + 'required' => true, + 'static' => true, + 'location' => 'query', + 'sentAs' => 'cors', + 'default' => '_guzzle_blank_', + ), + ), + ), + 'DeleteBucketLifecycle' => array( + 'httpMethod' => 'DELETE', + 'uri' => '/{Bucket}', + 'class' => 'Aws\\S3\\Command\\S3Command', + 'responseClass' => 'DeleteBucketLifecycleOutput', + 'responseType' => 'model', + 'summary' => 'Deletes the lifecycle configuration from the bucket.', + 'documentationUrl' => 'http://docs.amazonwebservices.com/AmazonS3/latest/API/RESTBucketDELETElifecycle.html', + 'parameters' => array( + 'Bucket' => array( + 'required' => true, + 'type' => 'string', + 'location' => 'uri', + ), + 'SubResource' => array( + 'required' => true, + 'static' => true, + 'location' => 'query', + 'sentAs' => 'lifecycle', + 'default' => '_guzzle_blank_', + ), + ), + ), + 'DeleteBucketPolicy' => array( + 'httpMethod' => 'DELETE', + 'uri' => '/{Bucket}', + 'class' => 'Aws\\S3\\Command\\S3Command', + 'responseClass' => 'DeleteBucketPolicyOutput', + 'responseType' => 'model', + 'summary' => 'Deletes the policy from the bucket.', + 'documentationUrl' => 'http://docs.amazonwebservices.com/AmazonS3/latest/API/RESTBucketDELETEpolicy.html', + 'parameters' => array( + 'Bucket' => array( + 'required' => true, + 'type' => 'string', + 'location' => 'uri', + ), + 'SubResource' => array( + 'required' => true, + 'static' => true, + 'location' => 'query', + 'sentAs' => 'policy', + 'default' => '_guzzle_blank_', + ), + ), + ), + 'DeleteBucketTagging' => array( + 'httpMethod' => 'DELETE', + 'uri' => '/{Bucket}', + 'class' => 'Aws\\S3\\Command\\S3Command', + 'responseClass' => 'DeleteBucketTaggingOutput', + 'responseType' => 'model', + 'summary' => 'Deletes the tags from the bucket.', + 'documentationUrl' => 'http://docs.amazonwebservices.com/AmazonS3/latest/API/RESTBucketDELETEtagging.html', + 'parameters' => array( + 'Bucket' => array( + 'required' => true, + 'type' => 'string', + 'location' => 'uri', + ), + 'SubResource' => array( + 'required' => true, + 'static' => true, + 'location' => 'query', + 'sentAs' => 'tagging', + 'default' => '_guzzle_blank_', + ), + ), + ), + 'DeleteBucketWebsite' => array( + 'httpMethod' => 'DELETE', + 'uri' => '/{Bucket}', + 'class' => 'Aws\\S3\\Command\\S3Command', + 'responseClass' => 'DeleteBucketWebsiteOutput', + 'responseType' => 'model', + 'summary' => 'This operation removes the website configuration from the bucket.', + 'documentationUrl' => 'http://docs.amazonwebservices.com/AmazonS3/latest/API/RESTBucketDELETEwebsite.html', + 'parameters' => array( + 'Bucket' => array( + 'required' => true, + 'type' => 'string', + 'location' => 'uri', + ), + 'SubResource' => array( + 'required' => true, + 'static' => true, + 'location' => 'query', + 'sentAs' => 'website', + 'default' => '_guzzle_blank_', + ), + ), + ), + 'DeleteObject' => array( + 'httpMethod' => 'DELETE', + 'uri' => '/{Bucket}{/Key*}', + 'class' => 'Aws\\S3\\Command\\S3Command', + 'responseClass' => 'DeleteObjectOutput', + 'responseType' => 'model', + 'summary' => 'Removes the null version (if there is one) of an object and inserts a delete marker, which becomes the latest version of the object. If there isn\'t a null version, Amazon S3 does not remove any objects.', + 'documentationUrl' => 'http://docs.amazonwebservices.com/AmazonS3/latest/API/RESTObjectDELETE.html', + 'parameters' => array( + 'Bucket' => array( + 'required' => true, + 'type' => 'string', + 'location' => 'uri', + ), + 'Key' => array( + 'required' => true, + 'type' => 'string', + 'location' => 'uri', + 'filters' => array( + 'Aws\\S3\\S3Client::explodeKey', + ), + ), + ), + ), + 'DeleteObjects' => array( + 'httpMethod' => 'POST', + 'uri' => '/{Bucket}', + 'class' => 'Aws\\S3\\Command\\S3Command', + 'responseClass' => 'DeleteObjectsOutput', + 'responseType' => 'model', + 'summary' => 'This operation enables you to delete multiple objects from a bucket using a single HTTP request. You may specify up to 1000 keys.', + 'documentationUrl' => 'http://docs.amazonwebservices.com/AmazonS3/latest/API/multiobjectdeleteapi.html', + 'data' => array( + 'xmlRoot' => array( + 'name' => 'Delete', + 'namespaces' => array( + 'http://s3.amazonaws.com/doc/2006-03-01/', + ), + ), + ), + 'parameters' => array( + 'Bucket' => array( + 'required' => true, + 'type' => 'string', + 'location' => 'uri', + ), + 'Objects' => array( + 'required' => true, + 'type' => 'array', + 'location' => 'xml', + 'data' => array( + 'xmlFlattened' => true, + ), + 'items' => array( + 'type' => 'object', + 'sentAs' => 'Object', + 'properties' => array( + 'Key' => array( + 'required' => true, + 'description' => 'Key name of the object to delete.', + 'type' => 'string', + ), + 'VersionId' => array( + 'description' => 'VersionId for the specific version of the object to delete.', + 'type' => 'string', + ), + ), + ), + ), + 'Quiet' => array( + 'description' => 'Element to enable quiet mode for the request. When you add this element, you must set its value to true.', + 'type' => 'boolean', + 'format' => 'boolean-string', + 'location' => 'xml', + ), + 'MFA' => array( + 'description' => 'The concatenation of the authentication device\'s serial number, a space, and the value that is displayed on your authentication device.', + 'type' => 'string', + 'location' => 'header', + 'sentAs' => 'x-amz-mfa', + ), + 'SubResource' => array( + 'required' => true, + 'static' => true, + 'location' => 'query', + 'sentAs' => 'delete', + 'default' => '_guzzle_blank_', + ), + 'ContentMD5' => array( + 'required' => true, + 'default' => true, + ), + 'command.expects' => array( + 'static' => true, + 'default' => 'application/xml', + ), + ), + ), + 'GetBucketAcl' => array( + 'httpMethod' => 'GET', + 'uri' => '/{Bucket}', + 'class' => 'Aws\\S3\\Command\\S3Command', + 'responseClass' => 'GetBucketAclOutput', + 'responseType' => 'model', + 'summary' => 'Gets the access control policy for the bucket.', + 'documentationUrl' => 'http://docs.amazonwebservices.com/AmazonS3/latest/API/RESTBucketGETacl.html', + 'parameters' => array( + 'Bucket' => array( + 'required' => true, + 'type' => 'string', + 'location' => 'uri', + ), + 'SubResource' => array( + 'required' => true, + 'static' => true, + 'location' => 'query', + 'sentAs' => 'acl', + 'default' => '_guzzle_blank_', + ), + 'command.expects' => array( + 'static' => true, + 'default' => 'application/xml', + ), + ), + ), + 'GetBucketCors' => array( + 'httpMethod' => 'GET', + 'uri' => '/{Bucket}', + 'class' => 'Aws\\S3\\Command\\S3Command', + 'responseClass' => 'GetBucketCorsOutput', + 'responseType' => 'model', + 'summary' => 'Returns the cors configuration for the bucket.', + 'documentationUrl' => 'http://docs.amazonwebservices.com/AmazonS3/latest/API/RESTBucketGETcors.html', + 'parameters' => array( + 'Bucket' => array( + 'required' => true, + 'type' => 'string', + 'location' => 'uri', + ), + 'SubResource' => array( + 'required' => true, + 'static' => true, + 'location' => 'query', + 'sentAs' => 'cors', + 'default' => '_guzzle_blank_', + ), + 'command.expects' => array( + 'static' => true, + 'default' => 'application/xml', + ), + ), + ), + 'GetBucketLifecycle' => array( + 'httpMethod' => 'GET', + 'uri' => '/{Bucket}', + 'class' => 'Aws\\S3\\Command\\S3Command', + 'responseClass' => 'GetBucketLifecycleOutput', + 'responseType' => 'model', + 'summary' => 'Returns the lifecycle configuration information set on the bucket.', + 'documentationUrl' => 'http://docs.amazonwebservices.com/AmazonS3/latest/API/RESTBucketGETlifecycle.html', + 'parameters' => array( + 'Bucket' => array( + 'required' => true, + 'type' => 'string', + 'location' => 'uri', + ), + 'SubResource' => array( + 'required' => true, + 'static' => true, + 'location' => 'query', + 'sentAs' => 'lifecycle', + 'default' => '_guzzle_blank_', + ), + 'command.expects' => array( + 'static' => true, + 'default' => 'application/xml', + ), + ), + ), + 'GetBucketLocation' => array( + 'httpMethod' => 'GET', + 'uri' => '/{Bucket}', + 'class' => 'Aws\\S3\\Command\\S3Command', + 'responseClass' => 'GetBucketLocationOutput', + 'responseType' => 'model', + 'summary' => 'Returns the region the bucket resides in.', + 'documentationUrl' => 'http://docs.amazonwebservices.com/AmazonS3/latest/API/RESTBucketGETlocation.html', + 'parameters' => array( + 'Bucket' => array( + 'required' => true, + 'type' => 'string', + 'location' => 'uri', + ), + 'SubResource' => array( + 'required' => true, + 'static' => true, + 'location' => 'query', + 'sentAs' => 'location', + 'default' => '_guzzle_blank_', + ), + ), + ), + 'GetBucketLogging' => array( + 'httpMethod' => 'GET', + 'uri' => '/{Bucket}', + 'class' => 'Aws\\S3\\Command\\S3Command', + 'responseClass' => 'GetBucketLoggingOutput', + 'responseType' => 'model', + 'summary' => 'Returns the logging status of a bucket and the permissions users have to view and modify that status. To use GET, you must be the bucket owner.', + 'documentationUrl' => 'http://docs.amazonwebservices.com/AmazonS3/latest/API/RESTBucketGETlogging.html', + 'parameters' => array( + 'Bucket' => array( + 'required' => true, + 'type' => 'string', + 'location' => 'uri', + ), + 'SubResource' => array( + 'required' => true, + 'static' => true, + 'location' => 'query', + 'sentAs' => 'logging', + 'default' => '_guzzle_blank_', + ), + 'command.expects' => array( + 'static' => true, + 'default' => 'application/xml', + ), + ), + ), + 'GetBucketNotification' => array( + 'httpMethod' => 'GET', + 'uri' => '/{Bucket}', + 'class' => 'Aws\\S3\\Command\\S3Command', + 'responseClass' => 'GetBucketNotificationOutput', + 'responseType' => 'model', + 'summary' => 'Return the notification configuration of a bucket.', + 'documentationUrl' => 'http://docs.amazonwebservices.com/AmazonS3/latest/API/RESTBucketGETnotification.html', + 'parameters' => array( + 'Bucket' => array( + 'required' => true, + 'type' => 'string', + 'location' => 'uri', + ), + 'SubResource' => array( + 'required' => true, + 'static' => true, + 'location' => 'query', + 'sentAs' => 'notification', + 'default' => '_guzzle_blank_', + ), + 'command.expects' => array( + 'static' => true, + 'default' => 'application/xml', + ), + ), + ), + 'GetBucketPolicy' => array( + 'httpMethod' => 'GET', + 'uri' => '/{Bucket}', + 'class' => 'Aws\\S3\\Command\\S3Command', + 'responseClass' => 'GetBucketPolicyOutput', + 'responseType' => 'model', + 'summary' => 'Returns the policy of a specified bucket.', + 'documentationUrl' => 'http://docs.amazonwebservices.com/AmazonS3/latest/API/RESTBucketGETpolicy.html', + 'parameters' => array( + 'Bucket' => array( + 'required' => true, + 'type' => 'string', + 'location' => 'uri', + ), + 'SubResource' => array( + 'required' => true, + 'static' => true, + 'location' => 'query', + 'sentAs' => 'policy', + 'default' => '_guzzle_blank_', + ), + ), + ), + 'GetBucketRequestPayment' => array( + 'httpMethod' => 'GET', + 'uri' => '/{Bucket}', + 'class' => 'Aws\\S3\\Command\\S3Command', + 'responseClass' => 'GetBucketRequestPaymentOutput', + 'responseType' => 'model', + 'summary' => 'Returns the request payment configuration of a bucket.', + 'documentationUrl' => 'http://docs.amazonwebservices.com/AmazonS3/latest/API/RESTrequestPaymentGET.html', + 'parameters' => array( + 'Bucket' => array( + 'required' => true, + 'type' => 'string', + 'location' => 'uri', + ), + 'SubResource' => array( + 'required' => true, + 'static' => true, + 'location' => 'query', + 'sentAs' => 'requestPayment', + 'default' => '_guzzle_blank_', + ), + 'command.expects' => array( + 'static' => true, + 'default' => 'application/xml', + ), + ), + ), + 'GetBucketTagging' => array( + 'httpMethod' => 'GET', + 'uri' => '/{Bucket}', + 'class' => 'Aws\\S3\\Command\\S3Command', + 'responseClass' => 'GetBucketTaggingOutput', + 'responseType' => 'model', + 'summary' => 'Returns the tag set associated with the bucket.', + 'documentationUrl' => 'http://docs.amazonwebservices.com/AmazonS3/latest/API/RESTBucketGETtagging.html', + 'parameters' => array( + 'Bucket' => array( + 'required' => true, + 'type' => 'string', + 'location' => 'uri', + ), + 'SubResource' => array( + 'required' => true, + 'static' => true, + 'location' => 'query', + 'sentAs' => 'tagging', + 'default' => '_guzzle_blank_', + ), + 'command.expects' => array( + 'static' => true, + 'default' => 'application/xml', + ), + ), + ), + 'GetBucketVersioning' => array( + 'httpMethod' => 'GET', + 'uri' => '/{Bucket}', + 'class' => 'Aws\\S3\\Command\\S3Command', + 'responseClass' => 'GetBucketVersioningOutput', + 'responseType' => 'model', + 'summary' => 'Returns the versioning state of a bucket.', + 'documentationUrl' => 'http://docs.amazonwebservices.com/AmazonS3/latest/API/RESTBucketGETversioningStatus.html', + 'parameters' => array( + 'Bucket' => array( + 'required' => true, + 'type' => 'string', + 'location' => 'uri', + ), + 'SubResource' => array( + 'required' => true, + 'static' => true, + 'location' => 'query', + 'sentAs' => 'versioning', + 'default' => '_guzzle_blank_', + ), + 'command.expects' => array( + 'static' => true, + 'default' => 'application/xml', + ), + ), + ), + 'GetBucketWebsite' => array( + 'httpMethod' => 'GET', + 'uri' => '/{Bucket}', + 'class' => 'Aws\\S3\\Command\\S3Command', + 'responseClass' => 'GetBucketWebsiteOutput', + 'responseType' => 'model', + 'summary' => 'Returns the website configuration for a bucket.', + 'documentationUrl' => 'http://docs.amazonwebservices.com/AmazonS3/latest/API/RESTBucketGETwebsite.html', + 'parameters' => array( + 'Bucket' => array( + 'required' => true, + 'type' => 'string', + 'location' => 'uri', + ), + 'SubResource' => array( + 'required' => true, + 'static' => true, + 'location' => 'query', + 'sentAs' => 'website', + 'default' => '_guzzle_blank_', + ), + 'command.expects' => array( + 'static' => true, + 'default' => 'application/xml', + ), + ), + ), + 'GetObject' => array( + 'httpMethod' => 'GET', + 'uri' => '/{Bucket}{/Key*}', + 'class' => 'Aws\\S3\\Command\\S3Command', + 'responseClass' => 'GetObjectOutput', + 'responseType' => 'model', + 'summary' => 'Retrieves objects from Amazon S3.', + 'documentationUrl' => 'http://docs.amazonwebservices.com/AmazonS3/latest/API/RESTObjectGET.html', + 'parameters' => array( + 'Bucket' => array( + 'required' => true, + 'type' => 'string', + 'location' => 'uri', + ), + 'IfMatch' => array( + 'description' => 'Return the object only if its entity tag (ETag) is the same as the one specified, otherwise return a 412 (precondition failed).', + 'type' => 'string', + 'location' => 'header', + 'sentAs' => 'If-Match', + ), + 'IfModifiedSince' => array( + 'description' => 'Return the object only if it has been modified since the specified time, otherwise return a 304 (not modified).', + 'type' => array( + 'object', + 'string', + 'integer', + ), + 'format' => 'date-time-http', + 'location' => 'header', + 'sentAs' => 'If-Modified-Since', + ), + 'IfNoneMatch' => array( + 'description' => 'Return the object only if its entity tag (ETag) is different from the one specified, otherwise return a 304 (not modified).', + 'type' => 'string', + 'location' => 'header', + 'sentAs' => 'If-None-Match', + ), + 'IfUnmodifiedSince' => array( + 'description' => 'Return the object only if it has not been modified since the specified time, otherwise return a 412 (precondition failed).', + 'type' => array( + 'object', + 'string', + 'integer', + ), + 'format' => 'date-time-http', + 'location' => 'header', + 'sentAs' => 'If-Unmodified-Since', + ), + 'Key' => array( + 'required' => true, + 'type' => 'string', + 'location' => 'uri', + 'filters' => array( + 'Aws\\S3\\S3Client::explodeKey', + ), + ), + 'Range' => array( + 'description' => 'Downloads the specified range bytes of an object. For more information about the HTTP Range header, go to http://www.w3.org/Protocols/rfc2616/rfc2616-sec14.html#sec14.35.', + 'type' => 'string', + 'location' => 'header', + ), + 'ResponseCacheControl' => array( + 'description' => 'Sets the Cache-Control header of the response.', + 'type' => 'string', + 'location' => 'query', + 'sentAs' => 'response-cache-control', + ), + 'ResponseContentDisposition' => array( + 'description' => 'Sets the Content-Disposition header of the response', + 'type' => 'string', + 'location' => 'query', + 'sentAs' => 'response-content-disposition', + ), + 'ResponseContentEncoding' => array( + 'description' => 'Sets the Content-Encoding header of the response.', + 'type' => 'string', + 'location' => 'query', + 'sentAs' => 'response-content-encoding', + ), + 'ResponseContentLanguage' => array( + 'description' => 'Sets the Content-Language header of the response.', + 'type' => 'string', + 'location' => 'query', + 'sentAs' => 'response-content-language', + ), + 'ResponseContentType' => array( + 'description' => 'Sets the Content-Type header of the response.', + 'type' => 'string', + 'location' => 'query', + 'sentAs' => 'response-content-type', + ), + 'ResponseExpires' => array( + 'description' => 'Sets the Expires header of the response.', + 'type' => array( + 'object', + 'string', + 'integer', + ), + 'format' => 'date-time-http', + 'location' => 'query', + 'sentAs' => 'response-expires', + ), + 'VersionId' => array( + 'description' => 'VersionId used to reference a specific version of the object.', + 'type' => 'string', + 'location' => 'query', + 'sentAs' => 'versionId', + ), + 'SaveAs' => array( + 'description' => 'Specify where the contents of the object should be downloaded. Can be the path to a file, a resource returned by fopen, or a Guzzle\\Http\\EntityBodyInterface object.', + 'location' => 'response_body', + ), + ), + 'errorResponses' => array( + array( + 'reason' => 'The specified key does not exist.', + 'class' => 'NoSuchKeyException', + ), + ), + ), + 'GetObjectAcl' => array( + 'httpMethod' => 'GET', + 'uri' => '/{Bucket}{/Key*}', + 'class' => 'Aws\\S3\\Command\\S3Command', + 'responseClass' => 'GetObjectAclOutput', + 'responseType' => 'model', + 'summary' => 'Returns the access control list (ACL) of an object.', + 'documentationUrl' => 'http://docs.amazonwebservices.com/AmazonS3/latest/API/RESTObjectGETacl.html', + 'parameters' => array( + 'Bucket' => array( + 'required' => true, + 'type' => 'string', + 'location' => 'uri', + ), + 'Key' => array( + 'required' => true, + 'type' => 'string', + 'location' => 'uri', + 'filters' => array( + 'Aws\\S3\\S3Client::explodeKey', + ), + ), + 'VersionId' => array( + 'description' => 'VersionId used to reference a specific version of the object.', + 'type' => 'string', + 'location' => 'query', + 'sentAs' => 'versionId', + ), + 'SubResource' => array( + 'required' => true, + 'static' => true, + 'location' => 'query', + 'sentAs' => 'acl', + 'default' => '_guzzle_blank_', + ), + 'command.expects' => array( + 'static' => true, + 'default' => 'application/xml', + ), + ), + 'errorResponses' => array( + array( + 'reason' => 'The specified key does not exist.', + 'class' => 'NoSuchKeyException', + ), + ), + ), + 'GetObjectTorrent' => array( + 'httpMethod' => 'GET', + 'uri' => '/{Bucket}{/Key*}', + 'class' => 'Aws\\S3\\Command\\S3Command', + 'responseClass' => 'GetObjectTorrentOutput', + 'responseType' => 'model', + 'summary' => 'Return torrent files from a bucket.', + 'documentationUrl' => 'http://docs.amazonwebservices.com/AmazonS3/latest/API/RESTObjectGETtorrent.html', + 'parameters' => array( + 'Bucket' => array( + 'required' => true, + 'type' => 'string', + 'location' => 'uri', + ), + 'Key' => array( + 'required' => true, + 'type' => 'string', + 'location' => 'uri', + 'filters' => array( + 'Aws\\S3\\S3Client::explodeKey', + ), + ), + 'SubResource' => array( + 'required' => true, + 'static' => true, + 'location' => 'query', + 'sentAs' => 'torrent', + 'default' => '_guzzle_blank_', + ), + ), + ), + 'HeadBucket' => array( + 'httpMethod' => 'HEAD', + 'uri' => '/{Bucket}', + 'class' => 'Aws\\S3\\Command\\S3Command', + 'responseClass' => 'HeadBucketOutput', + 'responseType' => 'model', + 'summary' => 'This operation is useful to determine if a bucket exists and you have permission to access it.', + 'documentationUrl' => 'http://docs.amazonwebservices.com/AmazonS3/latest/API/RESTBucketHEAD.html', + 'parameters' => array( + 'Bucket' => array( + 'required' => true, + 'type' => 'string', + 'location' => 'uri', + ), + ), + 'errorResponses' => array( + array( + 'reason' => 'The specified bucket does not exist.', + 'class' => 'NoSuchBucketException', + ), + ), + ), + 'HeadObject' => array( + 'httpMethod' => 'HEAD', + 'uri' => '/{Bucket}{/Key*}', + 'class' => 'Aws\\S3\\Command\\S3Command', + 'responseClass' => 'HeadObjectOutput', + 'responseType' => 'model', + 'summary' => 'The HEAD operation retrieves metadata from an object without returning the object itself. This operation is useful if you\'re only interested in an object\'s metadata. To use HEAD, you must have READ access to the object.', + 'documentationUrl' => 'http://docs.amazonwebservices.com/AmazonS3/latest/API/RESTObjectHEAD.html', + 'parameters' => array( + 'Bucket' => array( + 'required' => true, + 'type' => 'string', + 'location' => 'uri', + ), + 'IfMatch' => array( + 'description' => 'Return the object only if its entity tag (ETag) is the same as the one specified, otherwise return a 412 (precondition failed).', + 'type' => 'string', + 'location' => 'header', + 'sentAs' => 'If-Match', + ), + 'IfModifiedSince' => array( + 'description' => 'Return the object only if it has been modified since the specified time, otherwise return a 304 (not modified).', + 'type' => array( + 'object', + 'string', + 'integer', + ), + 'format' => 'date-time-http', + 'location' => 'header', + 'sentAs' => 'If-Modified-Since', + ), + 'IfNoneMatch' => array( + 'description' => 'Return the object only if its entity tag (ETag) is different from the one specified, otherwise return a 304 (not modified).', + 'type' => 'string', + 'location' => 'header', + 'sentAs' => 'If-None-Match', + ), + 'IfUnmodifiedSince' => array( + 'description' => 'Return the object only if it has not been modified since the specified time, otherwise return a 412 (precondition failed).', + 'type' => array( + 'object', + 'string', + 'integer', + ), + 'format' => 'date-time-http', + 'location' => 'header', + 'sentAs' => 'If-Unmodified-Since', + ), + 'Key' => array( + 'required' => true, + 'type' => 'string', + 'location' => 'uri', + 'filters' => array( + 'Aws\\S3\\S3Client::explodeKey', + ), + ), + 'Range' => array( + 'description' => 'Downloads the specified range bytes of an object. For more information about the HTTP Range header, go to http://www.w3.org/Protocols/rfc2616/rfc2616-sec14.html#sec14.35.', + 'type' => 'string', + 'location' => 'header', + ), + 'VersionId' => array( + 'description' => 'VersionId used to reference a specific version of the object.', + 'type' => 'string', + 'location' => 'query', + 'sentAs' => 'versionId', + ), + ), + 'errorResponses' => array( + array( + 'reason' => 'The specified key does not exist.', + 'class' => 'NoSuchKeyException', + ), + ), + ), + 'ListBuckets' => array( + 'httpMethod' => 'GET', + 'uri' => '/', + 'class' => 'Aws\\S3\\Command\\S3Command', + 'responseClass' => 'ListBucketsOutput', + 'responseType' => 'model', + 'summary' => 'Returns a list of all buckets owned by the authenticated sender of the request.', + 'documentationUrl' => 'http://docs.amazonwebservices.com/AmazonS3/latest/API/RESTServiceGET.html', + 'parameters' => array( + 'command.expects' => array( + 'static' => true, + 'default' => 'application/xml', + ), + ), + ), + 'ListMultipartUploads' => array( + 'httpMethod' => 'GET', + 'uri' => '/{Bucket}', + 'class' => 'Aws\\S3\\Command\\S3Command', + 'responseClass' => 'ListMultipartUploadsOutput', + 'responseType' => 'model', + 'summary' => 'This operation lists in-progress multipart uploads.', + 'documentationUrl' => 'http://docs.amazonwebservices.com/AmazonS3/latest/API/mpUploadListMPUpload.html', + 'parameters' => array( + 'Bucket' => array( + 'required' => true, + 'type' => 'string', + 'location' => 'uri', + ), + 'Delimiter' => array( + 'description' => 'Character you use to group keys.', + 'type' => 'string', + 'location' => 'query', + 'sentAs' => 'delimiter', + ), + 'KeyMarker' => array( + 'description' => 'Together with upload-id-marker, this parameter specifies the multipart upload after which listing should begin.', + 'type' => 'string', + 'location' => 'query', + 'sentAs' => 'key-marker', + ), + 'MaxUploads' => array( + 'description' => 'Sets the maximum number of multipart uploads, from 1 to 1,000, to return in the response body. 1,000 is the maximum number of uploads that can be returned in a response.', + 'type' => 'numeric', + 'location' => 'query', + 'sentAs' => 'max-uploads', + ), + 'Prefix' => array( + 'description' => 'Lists in-progress uploads only for those keys that begin with the specified prefix.', + 'type' => 'string', + 'location' => 'query', + 'sentAs' => 'prefix', + ), + 'UploadIdMarker' => array( + 'description' => 'Together with key-marker, specifies the multipart upload after which listing should begin. If key-marker is not specified, the upload-id-marker parameter is ignored.', + 'type' => 'string', + 'location' => 'query', + 'sentAs' => 'upload-id-marker', + ), + 'SubResource' => array( + 'required' => true, + 'static' => true, + 'location' => 'query', + 'sentAs' => 'uploads', + 'default' => '_guzzle_blank_', + ), + 'command.expects' => array( + 'static' => true, + 'default' => 'application/xml', + ), + ), + ), + 'ListObjectVersions' => array( + 'httpMethod' => 'GET', + 'uri' => '/{Bucket}', + 'class' => 'Aws\\S3\\Command\\S3Command', + 'responseClass' => 'ListObjectVersionsOutput', + 'responseType' => 'model', + 'summary' => 'Returns metadata about all of the versions of objects in a bucket.', + 'documentationUrl' => 'http://docs.amazonwebservices.com/AmazonS3/latest/API/RESTBucketGETVersion.html', + 'parameters' => array( + 'Bucket' => array( + 'required' => true, + 'type' => 'string', + 'location' => 'uri', + ), + 'Delimiter' => array( + 'description' => 'A delimiter is a character you use to group keys.', + 'type' => 'string', + 'location' => 'query', + 'sentAs' => 'delimiter', + ), + 'KeyMarker' => array( + 'description' => 'Specifies the key to start with when listing objects in a bucket.', + 'type' => 'string', + 'location' => 'query', + 'sentAs' => 'key-marker', + ), + 'MaxKeys' => array( + 'description' => 'Sets the maximum number of keys returned in the response. The response might contain fewer keys but will never contain more.', + 'type' => 'numeric', + 'location' => 'query', + 'sentAs' => 'max-keys', + ), + 'Prefix' => array( + 'description' => 'Limits the response to keys that begin with the specified prefix.', + 'type' => 'string', + 'location' => 'query', + 'sentAs' => 'prefix', + ), + 'VersionIdMarker' => array( + 'description' => 'Specifies the object version you want to start listing from.', + 'type' => 'string', + 'location' => 'query', + 'sentAs' => 'version-id-marker', + ), + 'SubResource' => array( + 'required' => true, + 'static' => true, + 'location' => 'query', + 'sentAs' => 'versions', + 'default' => '_guzzle_blank_', + ), + 'command.expects' => array( + 'static' => true, + 'default' => 'application/xml', + ), + ), + ), + 'ListObjects' => array( + 'httpMethod' => 'GET', + 'uri' => '/{Bucket}', + 'class' => 'Aws\\S3\\Command\\S3Command', + 'responseClass' => 'ListObjectsOutput', + 'responseType' => 'model', + 'summary' => 'Returns some or all (up to 1000) of the objects in a bucket. You can use the request parameters as selection criteria to return a subset of the objects in a bucket.', + 'documentationUrl' => 'http://docs.amazonwebservices.com/AmazonS3/latest/API/RESTBucketGET.html', + 'parameters' => array( + 'Bucket' => array( + 'required' => true, + 'type' => 'string', + 'location' => 'uri', + ), + 'Delimiter' => array( + 'description' => 'A delimiter is a character you use to group keys.', + 'type' => 'string', + 'location' => 'query', + 'sentAs' => 'delimiter', + ), + 'Marker' => array( + 'description' => 'Specifies the key to start with when listing objects in a bucket.', + 'type' => 'string', + 'location' => 'query', + 'sentAs' => 'marker', + ), + 'MaxKeys' => array( + 'description' => 'Sets the maximum number of keys returned in the response. The response might contain fewer keys but will never contain more.', + 'type' => 'numeric', + 'location' => 'query', + 'sentAs' => 'max-keys', + ), + 'Prefix' => array( + 'description' => 'Limits the response to keys that begin with the specified prefix.', + 'type' => 'string', + 'location' => 'query', + 'sentAs' => 'prefix', + ), + 'command.expects' => array( + 'static' => true, + 'default' => 'application/xml', + ), + ), + 'errorResponses' => array( + array( + 'reason' => 'The specified bucket does not exist.', + 'class' => 'NoSuchBucketException', + ), + ), + ), + 'ListParts' => array( + 'httpMethod' => 'GET', + 'uri' => '/{Bucket}{/Key*}', + 'class' => 'Aws\\S3\\Command\\S3Command', + 'responseClass' => 'ListPartsOutput', + 'responseType' => 'model', + 'summary' => 'Lists the parts that have been uploaded for a specific multipart upload.', + 'documentationUrl' => 'http://docs.amazonwebservices.com/AmazonS3/latest/API/mpUploadListParts.html', + 'parameters' => array( + 'Bucket' => array( + 'required' => true, + 'type' => 'string', + 'location' => 'uri', + ), + 'Key' => array( + 'required' => true, + 'type' => 'string', + 'location' => 'uri', + 'filters' => array( + 'Aws\\S3\\S3Client::explodeKey', + ), + ), + 'MaxParts' => array( + 'description' => 'Sets the maximum number of parts to return.', + 'type' => 'numeric', + 'location' => 'query', + 'sentAs' => 'max-parts', + ), + 'PartNumberMarker' => array( + 'description' => 'Specifies the part after which listing should begin. Only parts with higher part numbers will be listed.', + 'type' => 'string', + 'location' => 'query', + 'sentAs' => 'part-number-marker', + ), + 'UploadId' => array( + 'required' => true, + 'description' => 'Upload ID identifying the multipart upload whose parts are being listed.', + 'type' => 'string', + 'location' => 'query', + 'sentAs' => 'uploadId', + ), + 'command.expects' => array( + 'static' => true, + 'default' => 'application/xml', + ), + ), + ), + 'PutBucketAcl' => array( + 'httpMethod' => 'PUT', + 'uri' => '/{Bucket}', + 'class' => 'Aws\\S3\\Command\\S3Command', + 'responseClass' => 'PutBucketAclOutput', + 'responseType' => 'model', + 'summary' => 'Sets the permissions on a bucket using access control lists (ACL).', + 'documentationUrl' => 'http://docs.amazonwebservices.com/AmazonS3/latest/API/RESTBucketPUTacl.html', + 'data' => array( + 'xmlRoot' => array( + 'name' => 'AccessControlPolicy', + 'namespaces' => array( + 'http://s3.amazonaws.com/doc/2006-03-01/', + ), + ), + ), + 'parameters' => array( + 'ACL' => array( + 'description' => 'The canned ACL to apply to the bucket.', + 'type' => 'string', + 'location' => 'header', + 'sentAs' => 'x-amz-acl', + 'enum' => array( + 'private', + 'public-read', + 'public-read-write', + 'authenticated-read', + 'bucket-owner-read', + 'bucket-owner-full-control', + ), + ), + 'Grants' => array( + 'description' => 'A list of grants.', + 'type' => 'array', + 'location' => 'xml', + 'sentAs' => 'AccessControlList', + 'items' => array( + 'name' => 'Grant', + 'type' => 'object', + 'properties' => array( + 'Grantee' => array( + 'type' => 'object', + 'properties' => array( + 'DisplayName' => array( + 'description' => 'Screen name of the grantee.', + 'type' => 'string', + ), + 'EmailAddress' => array( + 'description' => 'Email address of the grantee.', + 'type' => 'string', + ), + 'ID' => array( + 'description' => 'The canonical user ID of the grantee.', + 'type' => 'string', + ), + 'Type' => array( + 'required' => true, + 'description' => 'Type of grantee', + 'type' => 'string', + 'sentAs' => 'xsi:type', + 'data' => array( + 'xmlAttribute' => true, + 'xmlNamespace' => 'http://www.w3.org/2001/XMLSchema-instance', + ), + 'enum' => array( + 'CanonicalUser', + 'AmazonCustomerByEmail', + 'Group', + ), + ), + 'URI' => array( + 'description' => 'URI of the grantee group.', + 'type' => 'string', + ), + ), + ), + 'Permission' => array( + 'description' => 'Specifies the permission given to the grantee.', + 'type' => 'string', + 'enum' => array( + 'FULL_CONTROL', + 'WRITE', + 'WRITE_ACP', + 'READ', + 'READ_ACP', + ), + ), + ), + ), + ), + 'Owner' => array( + 'type' => 'object', + 'location' => 'xml', + 'properties' => array( + 'DisplayName' => array( + 'type' => 'string', + ), + 'ID' => array( + 'type' => 'string', + ), + ), + ), + 'Bucket' => array( + 'required' => true, + 'type' => 'string', + 'location' => 'uri', + ), + 'ContentMD5' => array( + 'default' => true, + ), + 'GrantFullControl' => array( + 'description' => 'Allows grantee the read, write, read ACP, and write ACP permissions on the bucket.', + 'type' => 'string', + 'location' => 'header', + 'sentAs' => 'x-amz-grant-full-control', + ), + 'GrantRead' => array( + 'description' => 'Allows grantee to list the objects in the bucket.', + 'type' => 'string', + 'location' => 'header', + 'sentAs' => 'x-amz-grant-read', + ), + 'GrantReadACP' => array( + 'description' => 'Allows grantee to read the bucket ACL.', + 'type' => 'string', + 'location' => 'header', + 'sentAs' => 'x-amz-grant-read-acp', + ), + 'GrantWrite' => array( + 'description' => 'Allows grantee to create, overwrite, and delete any object in the bucket.', + 'type' => 'string', + 'location' => 'header', + 'sentAs' => 'x-amz-grant-write', + ), + 'GrantWriteACP' => array( + 'description' => 'Allows grantee to write the ACL for the applicable bucket.', + 'type' => 'string', + 'location' => 'header', + 'sentAs' => 'x-amz-grant-write-acp', + ), + 'SubResource' => array( + 'required' => true, + 'static' => true, + 'location' => 'query', + 'sentAs' => 'acl', + 'default' => '_guzzle_blank_', + ), + 'ACP' => array( + 'description' => 'Pass an Aws\\S3\\Model\\Acp object as an alternative way to add an access control policy to the operation', + 'type' => 'object', + 'additionalProperties' => true, + ), + ), + ), + 'PutBucketCors' => array( + 'httpMethod' => 'PUT', + 'uri' => '/{Bucket}', + 'class' => 'Aws\\S3\\Command\\S3Command', + 'responseClass' => 'PutBucketCorsOutput', + 'responseType' => 'model', + 'summary' => 'Sets the cors configuration for a bucket.', + 'documentationUrl' => 'http://docs.amazonwebservices.com/AmazonS3/latest/API/RESTBucketPUTcors.html', + 'data' => array( + 'xmlRoot' => array( + 'name' => 'CORSConfiguration', + 'namespaces' => array( + 'http://s3.amazonaws.com/doc/2006-03-01/', + ), + ), + ), + 'parameters' => array( + 'Bucket' => array( + 'required' => true, + 'type' => 'string', + 'location' => 'uri', + ), + 'CORSRules' => array( + 'type' => 'array', + 'location' => 'xml', + 'data' => array( + 'xmlFlattened' => true, + ), + 'items' => array( + 'type' => 'object', + 'sentAs' => 'CORSRule', + 'properties' => array( + 'AllowedHeaders' => array( + 'description' => 'Specifies which headers are allowed in a pre-flight OPTIONS request.', + 'type' => 'array', + 'data' => array( + 'xmlFlattened' => true, + ), + 'items' => array( + 'type' => 'string', + 'sentAs' => 'AllowedHeader', + ), + ), + 'AllowedMethods' => array( + 'description' => 'Identifies HTTP methods that the domain/origin specified in the rule is allowed to execute.', + 'type' => 'array', + 'data' => array( + 'xmlFlattened' => true, + ), + 'items' => array( + 'type' => 'string', + 'sentAs' => 'AllowedMethod', + ), + ), + 'AllowedOrigins' => array( + 'description' => 'One or more origins you want customers to be able to access the bucket from.', + 'type' => 'array', + 'data' => array( + 'xmlFlattened' => true, + ), + 'items' => array( + 'type' => 'string', + 'sentAs' => 'AllowedOrigin', + ), + ), + 'ExposeHeaders' => array( + 'description' => 'One or more headers in the response that you want customers to be able to access from their applications (for example, from a JavaScript XMLHttpRequest object).', + 'type' => 'array', + 'data' => array( + 'xmlFlattened' => true, + ), + 'items' => array( + 'type' => 'string', + 'sentAs' => 'ExposeHeader', + ), + ), + 'MaxAgeSeconds' => array( + 'description' => 'The time in seconds that your browser is to cache the preflight response for the specified resource.', + 'type' => 'numeric', + ), + ), + ), + ), + 'ContentMD5' => array( + 'default' => true, + ), + 'SubResource' => array( + 'required' => true, + 'static' => true, + 'location' => 'query', + 'sentAs' => 'cors', + 'default' => '_guzzle_blank_', + ), + ), + ), + 'PutBucketLifecycle' => array( + 'httpMethod' => 'PUT', + 'uri' => '/{Bucket}', + 'class' => 'Aws\\S3\\Command\\S3Command', + 'responseClass' => 'PutBucketLifecycleOutput', + 'responseType' => 'model', + 'summary' => 'Sets lifecycle configuration for your bucket. If a lifecycle configuration exists, it replaces it.', + 'documentationUrl' => 'http://docs.amazonwebservices.com/AmazonS3/latest/API/RESTBucketPUTlifecycle.html', + 'data' => array( + 'xmlRoot' => array( + 'name' => 'LifecycleConfiguration', + 'namespaces' => array( + 'http://s3.amazonaws.com/doc/2006-03-01/', + ), + ), + ), + 'parameters' => array( + 'Bucket' => array( + 'required' => true, + 'type' => 'string', + 'location' => 'uri', + ), + 'ContentMD5' => array( + 'default' => true, + ), + 'Rules' => array( + 'required' => true, + 'type' => 'array', + 'location' => 'xml', + 'data' => array( + 'xmlFlattened' => true, + ), + 'items' => array( + 'type' => 'object', + 'sentAs' => 'Rule', + 'properties' => array( + 'Expiration' => array( + 'type' => 'object', + 'properties' => array( + 'Date' => array( + 'description' => 'Indicates at what date the object is to be moved or deleted. Should be in GMT ISO 8601 Format.', + 'type' => array( + 'object', + 'string', + 'integer', + ), + 'format' => 'date-time', + ), + 'Days' => array( + 'description' => 'Indicates the lifetime, in days, of the objects that are subject to the rule. The value must be a non-zero positive integer.', + 'type' => 'numeric', + ), + ), + ), + 'ID' => array( + 'description' => 'Unique identifier for the rule. The value cannot be longer than 255 characters.', + 'type' => 'string', + ), + 'Prefix' => array( + 'required' => true, + 'description' => 'Prefix identifying one or more objects to which the rule applies.', + 'type' => 'string', + ), + 'Status' => array( + 'required' => true, + 'description' => 'If \'Enabled\', the rule is currently being applied. If \'Disabled\', the rule is not currently being applied.', + 'type' => 'string', + 'enum' => array( + 'Enabled', + 'Disabled', + ), + ), + 'Transition' => array( + 'type' => 'object', + 'properties' => array( + 'Date' => array( + 'description' => 'Indicates at what date the object is to be moved or deleted. Should be in GMT ISO 8601 Format.', + 'type' => array( + 'object', + 'string', + 'integer', + ), + 'format' => 'date-time', + ), + 'Days' => array( + 'description' => 'Indicates the lifetime, in days, of the objects that are subject to the rule. The value must be a non-zero positive integer.', + 'type' => 'numeric', + ), + 'StorageClass' => array( + 'description' => 'The class of storage used to store the object.', + 'type' => 'string', + 'enum' => array( + 'STANDARD', + 'REDUCED_REDUNDANCY', + 'GLACIER', + ), + ), + ), + ), + ), + ), + ), + 'SubResource' => array( + 'required' => true, + 'static' => true, + 'location' => 'query', + 'sentAs' => 'lifecycle', + 'default' => '_guzzle_blank_', + ), + ), + ), + 'PutBucketLogging' => array( + 'httpMethod' => 'PUT', + 'uri' => '/{Bucket}', + 'class' => 'Aws\\S3\\Command\\S3Command', + 'responseClass' => 'PutBucketLoggingOutput', + 'responseType' => 'model', + 'summary' => 'Set the logging parameters for a bucket and to specify permissions for who can view and modify the logging parameters. To set the logging status of a bucket, you must be the bucket owner.', + 'documentationUrl' => 'http://docs.amazonwebservices.com/AmazonS3/latest/API/RESTBucketPUTlogging.html', + 'data' => array( + 'xmlRoot' => array( + 'name' => 'BucketLoggingStatus', + 'namespaces' => array( + 'http://s3.amazonaws.com/doc/2006-03-01/', + ), + ), + ), + 'parameters' => array( + 'Bucket' => array( + 'required' => true, + 'type' => 'string', + 'location' => 'uri', + ), + 'LoggingEnabled' => array( + 'required' => true, + 'type' => 'object', + 'location' => 'xml', + 'properties' => array( + 'TargetBucket' => array( + 'description' => 'Specifies the bucket where you want Amazon S3 to store server access logs. You can have your logs delivered to any bucket that you own, including the same bucket that is being logged. You can also configure multiple buckets to deliver their logs to the same target bucket. In this case you should choose a different TargetPrefix for each source bucket so that the delivered log files can be distinguished by key.', + 'type' => 'string', + ), + 'TargetGrants' => array( + 'type' => 'array', + 'items' => array( + 'name' => 'Grant', + 'type' => 'object', + 'properties' => array( + 'Grantee' => array( + 'type' => 'object', + 'properties' => array( + 'DisplayName' => array( + 'description' => 'Screen name of the grantee.', + 'type' => 'string', + ), + 'EmailAddress' => array( + 'description' => 'Email address of the grantee.', + 'type' => 'string', + ), + 'ID' => array( + 'description' => 'The canonical user ID of the grantee.', + 'type' => 'string', + ), + 'Type' => array( + 'required' => true, + 'description' => 'Type of grantee', + 'type' => 'string', + 'sentAs' => 'xsi:type', + 'data' => array( + 'xmlAttribute' => true, + 'xmlNamespace' => 'http://www.w3.org/2001/XMLSchema-instance', + ), + 'enum' => array( + 'CanonicalUser', + 'AmazonCustomerByEmail', + 'Group', + ), + ), + 'URI' => array( + 'description' => 'URI of the grantee group.', + 'type' => 'string', + ), + ), + ), + 'Permission' => array( + 'type' => 'string', + ), + ), + ), + ), + 'TargetPrefix' => array( + 'description' => 'This element lets you specify a prefix for the keys that the log files will be stored under.', + 'type' => 'string', + ), + ), + ), + 'ContentMD5' => array( + 'default' => true, + ), + 'SubResource' => array( + 'required' => true, + 'static' => true, + 'location' => 'query', + 'sentAs' => 'logging', + 'default' => '_guzzle_blank_', + ), + ), + ), + 'PutBucketNotification' => array( + 'httpMethod' => 'PUT', + 'uri' => '/{Bucket}', + 'class' => 'Aws\\S3\\Command\\S3Command', + 'responseClass' => 'PutBucketNotificationOutput', + 'responseType' => 'model', + 'summary' => 'Enables notifications of specified events for a bucket.', + 'documentationUrl' => 'http://docs.amazonwebservices.com/AmazonS3/latest/API/RESTBucketPUTnotification.html', + 'data' => array( + 'xmlRoot' => array( + 'name' => 'NotificationConfiguration', + 'namespaces' => array( + 'http://s3.amazonaws.com/doc/2006-03-01/', + ), + ), + ), + 'parameters' => array( + 'Bucket' => array( + 'required' => true, + 'type' => 'string', + 'location' => 'uri', + ), + 'ContentMD5' => array( + 'default' => true, + ), + 'TopicConfiguration' => array( + 'required' => true, + 'type' => 'object', + 'location' => 'xml', + 'properties' => array( + 'Event' => array( + 'description' => 'Bucket event for which to send notifications.', + 'type' => 'string', + 'enum' => array( + 's3:ReducedRedundancyLostObject', + ), + ), + 'Topic' => array( + 'description' => 'Amazon SNS topic to which Amazon S3 will publish a message to report the specified events for the bucket.', + 'type' => 'string', + ), + ), + ), + 'SubResource' => array( + 'required' => true, + 'static' => true, + 'location' => 'query', + 'sentAs' => 'notification', + 'default' => '_guzzle_blank_', + ), + ), + ), + 'PutBucketPolicy' => array( + 'httpMethod' => 'PUT', + 'uri' => '/{Bucket}', + 'class' => 'Aws\\S3\\Command\\S3Command', + 'responseClass' => 'PutBucketPolicyOutput', + 'responseType' => 'model', + 'summary' => 'Replaces a policy on a bucket. If the bucket already has a policy, the one in this request completely replaces it.', + 'documentationUrl' => 'http://docs.amazonwebservices.com/AmazonS3/latest/API/RESTBucketPUTpolicy.html', + 'parameters' => array( + 'Bucket' => array( + 'required' => true, + 'type' => 'string', + 'location' => 'uri', + ), + 'ContentMD5' => array( + 'default' => true, + ), + 'Policy' => array( + 'required' => true, + 'description' => 'The bucket policy as a JSON document.', + 'type' => array( + 'string', + 'object', + ), + 'location' => 'body', + ), + 'SubResource' => array( + 'required' => true, + 'static' => true, + 'location' => 'query', + 'sentAs' => 'policy', + 'default' => '_guzzle_blank_', + ), + ), + ), + 'PutBucketRequestPayment' => array( + 'httpMethod' => 'PUT', + 'uri' => '/{Bucket}', + 'class' => 'Aws\\S3\\Command\\S3Command', + 'responseClass' => 'PutBucketRequestPaymentOutput', + 'responseType' => 'model', + 'summary' => 'Sets the request payment configuration for a bucket. By default, the bucket owner pays for downloads from the bucket. This configuration parameter enables the bucket owner (only) to specify that the person requesting the download will be charged for the download.', + 'documentationUrl' => 'http://docs.amazonwebservices.com/AmazonS3/latest/API/RESTrequestPaymentPUT.html', + 'data' => array( + 'xmlRoot' => array( + 'name' => 'RequestPaymentConfiguration', + 'namespaces' => array( + 'http://s3.amazonaws.com/doc/2006-03-01/', + ), + ), + ), + 'parameters' => array( + 'Bucket' => array( + 'required' => true, + 'type' => 'string', + 'location' => 'uri', + ), + 'ContentMD5' => array( + 'default' => true, + ), + 'Payer' => array( + 'required' => true, + 'description' => 'Specifies who pays for the download and request fees.', + 'type' => 'string', + 'location' => 'xml', + 'enum' => array( + 'Requester', + 'BucketOwner', + ), + ), + 'SubResource' => array( + 'required' => true, + 'static' => true, + 'location' => 'query', + 'sentAs' => 'requestPayment', + 'default' => '_guzzle_blank_', + ), + ), + ), + 'PutBucketTagging' => array( + 'httpMethod' => 'PUT', + 'uri' => '/{Bucket}', + 'class' => 'Aws\\S3\\Command\\S3Command', + 'responseClass' => 'PutBucketTaggingOutput', + 'responseType' => 'model', + 'summary' => 'Sets the tags for a bucket.', + 'documentationUrl' => 'http://docs.amazonwebservices.com/AmazonS3/latest/API/RESTBucketPUTtagging.html', + 'data' => array( + 'xmlRoot' => array( + 'name' => 'Tagging', + 'namespaces' => array( + 'http://s3.amazonaws.com/doc/2006-03-01/', + ), + ), + ), + 'parameters' => array( + 'Bucket' => array( + 'required' => true, + 'type' => 'string', + 'location' => 'uri', + ), + 'ContentMD5' => array( + 'default' => true, + ), + 'TagSet' => array( + 'required' => true, + 'type' => 'array', + 'location' => 'xml', + 'items' => array( + 'name' => 'Tag', + 'required' => true, + 'type' => 'object', + 'properties' => array( + 'Key' => array( + 'required' => true, + 'description' => 'Name of the tag.', + 'type' => 'string', + ), + 'Value' => array( + 'required' => true, + 'description' => 'Value of the tag.', + 'type' => 'string', + ), + ), + ), + ), + 'SubResource' => array( + 'required' => true, + 'static' => true, + 'location' => 'query', + 'sentAs' => 'tagging', + 'default' => '_guzzle_blank_', + ), + ), + ), + 'PutBucketVersioning' => array( + 'httpMethod' => 'PUT', + 'uri' => '/{Bucket}', + 'class' => 'Aws\\S3\\Command\\S3Command', + 'responseClass' => 'PutBucketVersioningOutput', + 'responseType' => 'model', + 'summary' => 'Sets the versioning state of an existing bucket. To set the versioning state, you must be the bucket owner.', + 'documentationUrl' => 'http://docs.amazonwebservices.com/AmazonS3/latest/API/RESTBucketPUTVersioningStatus.html', + 'data' => array( + 'xmlRoot' => array( + 'name' => 'VersioningConfiguration', + 'namespaces' => array( + 'http://s3.amazonaws.com/doc/2006-03-01/', + ), + ), + ), + 'parameters' => array( + 'Bucket' => array( + 'required' => true, + 'type' => 'string', + 'location' => 'uri', + ), + 'ContentMD5' => array( + 'default' => true, + ), + 'MFA' => array( + 'description' => 'The value is the concatenation of the authentication device\'s serial number, a space, and the value displayed on your authentication device.', + 'type' => 'string', + 'location' => 'header', + 'sentAs' => 'x-amz-mfa', + ), + 'MFADelete' => array( + 'description' => 'Specifies whether MFA delete is enabled in the bucket versioning configuration. This element is only returned if the bucket has been configured with MFA delete. If the bucket has never been so configured, this element is not returned.', + 'type' => 'string', + 'location' => 'xml', + 'enum' => array( + 'Enabled', + 'Disabled', + ), + ), + 'Status' => array( + 'description' => 'The versioning state of the bucket.', + 'type' => 'string', + 'location' => 'xml', + 'enum' => array( + 'Enabled', + 'Disabled', + ), + ), + 'SubResource' => array( + 'required' => true, + 'static' => true, + 'location' => 'query', + 'sentAs' => 'versioning', + 'default' => '_guzzle_blank_', + ), + ), + ), + 'PutBucketWebsite' => array( + 'httpMethod' => 'PUT', + 'uri' => '/{Bucket}', + 'class' => 'Aws\\S3\\Command\\S3Command', + 'responseClass' => 'PutBucketWebsiteOutput', + 'responseType' => 'model', + 'summary' => 'Set the website configuration for a bucket.', + 'documentationUrl' => 'http://docs.amazonwebservices.com/AmazonS3/latest/API/RESTBucketPUTwebsite.html', + 'data' => array( + 'xmlRoot' => array( + 'name' => 'WebsiteConfiguration', + 'namespaces' => array( + 'http://s3.amazonaws.com/doc/2006-03-01/', + ), + ), + 'xmlAllowEmpty' => true, + ), + 'parameters' => array( + 'Bucket' => array( + 'required' => true, + 'type' => 'string', + 'location' => 'uri', + ), + 'ContentMD5' => array( + 'default' => true, + ), + 'ErrorDocument' => array( + 'type' => 'object', + 'location' => 'xml', + 'properties' => array( + 'Key' => array( + 'required' => true, + 'description' => 'The object key name to use when a 4XX class error occurs.', + 'type' => 'string', + ), + ), + ), + 'IndexDocument' => array( + 'type' => 'object', + 'location' => 'xml', + 'properties' => array( + 'Suffix' => array( + 'required' => true, + 'description' => 'A suffix that is appended to a request that is for a directory on the website endpoint (e.g. if the suffix is index.html and you make a request to samplebucket/images/ the data that is returned will be for the object with the key name images/index.html) The suffix must not be empty and must not include a slash character.', + 'type' => 'string', + ), + ), + ), + 'RedirectAllRequestsTo' => array( + 'type' => 'object', + 'location' => 'xml', + 'properties' => array( + 'HostName' => array( + 'required' => true, + 'description' => 'Name of the host where requests will be redirected.', + 'type' => 'string', + ), + 'Protocol' => array( + 'description' => 'Protocol to use (http, https) when redirecting requests. The default is the protocol that is used in the original request.', + 'type' => 'string', + 'enum' => array( + 'http', + 'https', + ), + ), + ), + ), + 'RoutingRules' => array( + 'type' => 'array', + 'location' => 'xml', + 'items' => array( + 'name' => 'RoutingRule', + 'type' => 'object', + 'properties' => array( + 'Condition' => array( + 'description' => 'A container for describing a condition that must be met for the specified redirect to apply. For example, 1. If request is for pages in the /docs folder, redirect to the /documents folder. 2. If request results in HTTP error 4xx, redirect request to another host where you might process the error.', + 'type' => 'object', + 'properties' => array( + 'HttpErrorCodeReturnedEquals' => array( + 'description' => 'The HTTP error code when the redirect is applied. In the event of an error, if the error code equals this value, then the specified redirect is applied. Required when parent element Condition is specified and sibling KeyPrefixEquals is not specified. If both are specified, then both must be true for the redirect to be applied.', + 'type' => 'string', + ), + 'KeyPrefixEquals' => array( + 'description' => 'The object key name prefix when the redirect is applied. For example, to redirect requests for ExamplePage.html, the key prefix will be ExamplePage.html. To redirect request for all pages with the prefix docs/, the key prefix will be /docs, which identifies all objects in the docs/ folder. Required when the parent element Condition is specified and sibling HttpErrorCodeReturnedEquals is not specified. If both conditions are specified, both must be true for the redirect to be applied.', + 'type' => 'string', + ), + ), + ), + 'Redirect' => array( + 'required' => true, + 'description' => 'Container for redirect information. You can redirect requests to another host, to another page, or with another protocol. In the event of an error, you can can specify a different error code to return.', + 'type' => 'object', + 'properties' => array( + 'HostName' => array( + 'required' => true, + 'description' => 'Name of the host where requests will be redirected.', + 'type' => 'string', + ), + 'HttpRedirectCode' => array( + 'description' => 'The HTTP redirect code to use on the response. Not required if one of the siblings is present.', + 'type' => 'string', + ), + 'Protocol' => array( + 'description' => 'Protocol to use (http, https) when redirecting requests. The default is the protocol that is used in the original request.', + 'type' => 'string', + 'enum' => array( + 'http', + 'https', + ), + ), + 'ReplaceKeyPrefixWith' => array( + 'description' => 'The object key prefix to use in the redirect request. For example, to redirect requests for all pages with prefix docs/ (objects in the docs/ folder) to documents/, you can set a condition block with KeyPrefixEquals set to docs/ and in the Redirect set ReplaceKeyPrefixWith to /documents. Not required if one of the siblings is present. Can be present only if ReplaceKeyWith is not provided.', + 'type' => 'string', + ), + 'ReplaceKeyWith' => array( + 'description' => 'The specific object key to use in the redirect request. For example, redirect request to error.html. Not required if one of the sibling is present. Can be present only if ReplaceKeyPrefixWith is not provided.', + 'type' => 'string', + ), + ), + ), + ), + ), + ), + 'SubResource' => array( + 'required' => true, + 'static' => true, + 'location' => 'query', + 'sentAs' => 'website', + 'default' => '_guzzle_blank_', + ), + ), + ), + 'PutObject' => array( + 'httpMethod' => 'PUT', + 'uri' => '/{Bucket}{/Key*}', + 'class' => 'Aws\\S3\\Command\\S3Command', + 'responseClass' => 'PutObjectOutput', + 'responseType' => 'model', + 'summary' => 'Adds an object to a bucket.', + 'documentationUrl' => 'http://docs.amazonwebservices.com/AmazonS3/latest/API/RESTObjectPUT.html', + 'parameters' => array( + 'ACL' => array( + 'description' => 'The canned ACL to apply to the object.', + 'type' => 'string', + 'location' => 'header', + 'sentAs' => 'x-amz-acl', + 'enum' => array( + 'private', + 'public-read', + 'public-read-write', + 'authenticated-read', + 'bucket-owner-read', + 'bucket-owner-full-control', + ), + ), + 'Body' => array( + 'description' => 'Pass a string containing the body, a handle returned by fopen, or a Guzzle\\Http\\EntityBodyInterface object', + 'type' => array( + 'string', + 'object', + ), + 'location' => 'body', + ), + 'Bucket' => array( + 'required' => true, + 'type' => 'string', + 'location' => 'uri', + ), + 'CacheControl' => array( + 'description' => 'Specifies caching behavior along the request/reply chain.', + 'type' => 'string', + 'location' => 'header', + 'sentAs' => 'Cache-Control', + ), + 'ContentDisposition' => array( + 'description' => 'Specifies presentational information for the object.', + 'type' => 'string', + 'location' => 'header', + 'sentAs' => 'Content-Disposition', + ), + 'ContentEncoding' => array( + 'description' => 'Specifies what content encodings have been applied to the object and thus what decoding mechanisms must be applied to obtain the media-type referenced by the Content-Type header field.', + 'type' => 'string', + 'location' => 'header', + 'sentAs' => 'Content-Encoding', + ), + 'ContentLanguage' => array( + 'description' => 'The language the content is in.', + 'type' => 'string', + 'location' => 'header', + 'sentAs' => 'Content-Language', + ), + 'ContentLength' => array( + 'description' => 'Size of the body in bytes. This parameter is useful when the size of the body cannot be determined automatically.', + 'type' => 'numeric', + 'location' => 'header', + 'sentAs' => 'Content-Length', + ), + 'ContentMD5' => array( + 'description' => 'Content-MD5 checksum of the body. Set to false to disable', + 'default' => true, + ), + 'ContentType' => array( + 'description' => 'A standard MIME type describing the format of the object data.', + 'type' => 'string', + 'location' => 'header', + 'sentAs' => 'Content-Type', + ), + 'Expires' => array( + 'description' => 'The date and time at which the object is no longer cacheable.', + 'type' => array( + 'object', + 'string', + 'integer', + ), + 'format' => 'date-time-http', + 'location' => 'header', + ), + 'GrantFullControl' => array( + 'description' => 'Gives the grantee READ, READ_ACP, and WRITE_ACP permissions on the object.', + 'type' => 'string', + 'location' => 'header', + 'sentAs' => 'x-amz-grant-full-control', + ), + 'GrantRead' => array( + 'description' => 'Allows grantee to read the object data and its metadata.', + 'type' => 'string', + 'location' => 'header', + 'sentAs' => 'x-amz-grant-read', + ), + 'GrantReadACP' => array( + 'description' => 'Allows grantee to read the object ACL.', + 'type' => 'string', + 'location' => 'header', + 'sentAs' => 'x-amz-grant-read-acp', + ), + 'GrantWriteACP' => array( + 'description' => 'Allows grantee to write the ACL for the applicable object.', + 'type' => 'string', + 'location' => 'header', + 'sentAs' => 'x-amz-grant-write-acp', + ), + 'Key' => array( + 'required' => true, + 'type' => 'string', + 'location' => 'uri', + 'filters' => array( + 'Aws\\S3\\S3Client::explodeKey', + ), + ), + 'Metadata' => array( + 'description' => 'A map of metadata to store with the object in S3.', + 'type' => 'object', + 'location' => 'header', + 'sentAs' => 'x-amz-meta-', + 'additionalProperties' => array( + 'description' => 'The metadata key. This will be prefixed with x-amz-meta- before sending to S3 as a header. The x-amz-meta- header will be stripped from the key when retrieving headers.', + 'type' => 'string', + ), + ), + 'ServerSideEncryption' => array( + 'description' => 'The Server-side encryption algorithm used when storing this object in S3.', + 'type' => 'string', + 'location' => 'header', + 'sentAs' => 'x-amz-server-side-encryption', + 'enum' => array( + 'AES256', + ), + ), + 'StorageClass' => array( + 'description' => 'The type of storage to use for the object. Defaults to \'STANDARD\'.', + 'type' => 'string', + 'location' => 'header', + 'sentAs' => 'x-amz-storage-class', + 'enum' => array( + 'STANDARD', + 'REDUCED_REDUNDANCY', + ), + ), + 'WebsiteRedirectLocation' => array( + 'description' => 'If the bucket is configured as a website, redirects requests for this object to another object in the same bucket or to an external URL. Amazon S3 stores the value of this header in the object metadata.', + 'type' => 'string', + 'location' => 'header', + 'sentAs' => 'x-amz-website-redirect-location', + ), + 'ValidateMD5' => array( + 'description' => 'Whether or not the Content-MD5 header of the response is validated. Default is true.', + 'default' => true, + ), + 'ACP' => array( + 'description' => 'Pass an Aws\\S3\\Model\\Acp object as an alternative way to add access control policy headers to the operation', + 'type' => 'object', + 'additionalProperties' => true, + ), + ), + ), + 'PutObjectAcl' => array( + 'httpMethod' => 'PUT', + 'uri' => '/{Bucket}{/Key*}', + 'class' => 'Aws\\S3\\Command\\S3Command', + 'responseClass' => 'PutObjectAclOutput', + 'responseType' => 'model', + 'summary' => 'uses the acl subresource to set the access control list (ACL) permissions for an object that already exists in a bucket', + 'documentationUrl' => 'http://docs.amazonwebservices.com/AmazonS3/latest/API/RESTObjectPUTacl.html', + 'data' => array( + 'xmlRoot' => array( + 'name' => 'AccessControlPolicy', + 'namespaces' => array( + 'http://s3.amazonaws.com/doc/2006-03-01/', + ), + ), + ), + 'parameters' => array( + 'ACL' => array( + 'description' => 'The canned ACL to apply to the bucket.', + 'type' => 'string', + 'location' => 'header', + 'sentAs' => 'x-amz-acl', + 'enum' => array( + 'private', + 'public-read', + 'public-read-write', + 'authenticated-read', + 'bucket-owner-read', + 'bucket-owner-full-control', + ), + ), + 'Grants' => array( + 'description' => 'A list of grants.', + 'type' => 'array', + 'location' => 'xml', + 'sentAs' => 'AccessControlList', + 'items' => array( + 'name' => 'Grant', + 'type' => 'object', + 'properties' => array( + 'Grantee' => array( + 'type' => 'object', + 'properties' => array( + 'DisplayName' => array( + 'description' => 'Screen name of the grantee.', + 'type' => 'string', + ), + 'EmailAddress' => array( + 'description' => 'Email address of the grantee.', + 'type' => 'string', + ), + 'ID' => array( + 'description' => 'The canonical user ID of the grantee.', + 'type' => 'string', + ), + 'Type' => array( + 'required' => true, + 'description' => 'Type of grantee', + 'type' => 'string', + 'sentAs' => 'xsi:type', + 'data' => array( + 'xmlAttribute' => true, + 'xmlNamespace' => 'http://www.w3.org/2001/XMLSchema-instance', + ), + 'enum' => array( + 'CanonicalUser', + 'AmazonCustomerByEmail', + 'Group', + ), + ), + 'URI' => array( + 'description' => 'URI of the grantee group.', + 'type' => 'string', + ), + ), + ), + 'Permission' => array( + 'description' => 'Specifies the permission given to the grantee.', + 'type' => 'string', + 'enum' => array( + 'FULL_CONTROL', + 'WRITE', + 'WRITE_ACP', + 'READ', + 'READ_ACP', + ), + ), + ), + ), + ), + 'Owner' => array( + 'type' => 'object', + 'location' => 'xml', + 'properties' => array( + 'DisplayName' => array( + 'type' => 'string', + ), + 'ID' => array( + 'type' => 'string', + ), + ), + ), + 'Bucket' => array( + 'required' => true, + 'type' => 'string', + 'location' => 'uri', + ), + 'ContentMD5' => array( + 'default' => true, + ), + 'GrantFullControl' => array( + 'description' => 'Allows grantee the read, write, read ACP, and write ACP permissions on the bucket.', + 'type' => 'string', + 'location' => 'header', + 'sentAs' => 'x-amz-grant-full-control', + ), + 'GrantRead' => array( + 'description' => 'Allows grantee to list the objects in the bucket.', + 'type' => 'string', + 'location' => 'header', + 'sentAs' => 'x-amz-grant-read', + ), + 'GrantReadACP' => array( + 'description' => 'Allows grantee to read the bucket ACL.', + 'type' => 'string', + 'location' => 'header', + 'sentAs' => 'x-amz-grant-read-acp', + ), + 'GrantWrite' => array( + 'description' => 'Allows grantee to create, overwrite, and delete any object in the bucket.', + 'type' => 'string', + 'location' => 'header', + 'sentAs' => 'x-amz-grant-write', + ), + 'GrantWriteACP' => array( + 'description' => 'Allows grantee to write the ACL for the applicable bucket.', + 'type' => 'string', + 'location' => 'header', + 'sentAs' => 'x-amz-grant-write-acp', + ), + 'Key' => array( + 'required' => true, + 'type' => 'string', + 'location' => 'uri', + 'filters' => array( + 'Aws\\S3\\S3Client::explodeKey', + ), + ), + 'SubResource' => array( + 'required' => true, + 'static' => true, + 'location' => 'query', + 'sentAs' => 'acl', + 'default' => '_guzzle_blank_', + ), + 'ACP' => array( + 'description' => 'Pass an Aws\\S3\\Model\\Acp object as an alternative way to add an access control policy to the operation', + 'type' => 'object', + 'additionalProperties' => true, + ), + ), + 'errorResponses' => array( + array( + 'reason' => 'The specified key does not exist.', + 'class' => 'NoSuchKeyException', + ), + ), + ), + 'RestoreObject' => array( + 'httpMethod' => 'POST', + 'uri' => '/{Bucket}{/Key*}', + 'class' => 'Aws\\S3\\Command\\S3Command', + 'responseClass' => 'RestoreObjectOutput', + 'responseType' => 'model', + 'summary' => 'Restores an archived copy of an object back into Amazon S3', + 'documentationUrl' => 'http://docs.amazonwebservices.com/AmazonS3/latest/API/RESTObjectRestore.html', + 'data' => array( + 'xmlRoot' => array( + 'name' => 'RestoreRequest', + 'namespaces' => array( + 'http://s3.amazonaws.com/doc/2006-03-01/', + ), + ), + ), + 'parameters' => array( + 'Bucket' => array( + 'required' => true, + 'type' => 'string', + 'location' => 'uri', + ), + 'Key' => array( + 'required' => true, + 'type' => 'string', + 'location' => 'uri', + 'filters' => array( + 'Aws\\S3\\S3Client::explodeKey', + ), + ), + 'Days' => array( + 'required' => true, + 'description' => 'Lifetime of the active copy in days', + 'type' => 'numeric', + 'location' => 'xml', + ), + 'SubResource' => array( + 'required' => true, + 'static' => true, + 'location' => 'query', + 'sentAs' => 'restore', + 'default' => '_guzzle_blank_', + ), + ), + 'errorResponses' => array( + array( + 'reason' => 'This operation is not allowed against this storage tier', + 'class' => 'ObjectAlreadyInActiveTierErrorException', + ), + ), + ), + 'UploadPart' => array( + 'httpMethod' => 'PUT', + 'uri' => '/{Bucket}{/Key*}', + 'class' => 'Aws\\S3\\Command\\S3Command', + 'responseClass' => 'UploadPartOutput', + 'responseType' => 'model', + 'summary' => 'Uploads a part in a multipart upload.', + 'documentationUrl' => 'http://docs.amazonwebservices.com/AmazonS3/latest/API/mpUploadUploadPart.html', + 'parameters' => array( + 'Body' => array( + 'description' => 'Pass a string containing the body, a handle returned by fopen, or a Guzzle\\Http\\EntityBodyInterface object', + 'type' => array( + 'string', + 'object', + ), + 'location' => 'body', + ), + 'Bucket' => array( + 'required' => true, + 'type' => 'string', + 'location' => 'uri', + ), + 'ContentLength' => array( + 'description' => 'Size of the body in bytes. This parameter is useful when the size of the body cannot be determined automatically.', + 'type' => 'numeric', + 'location' => 'header', + 'sentAs' => 'Content-Length', + ), + 'Key' => array( + 'required' => true, + 'type' => 'string', + 'location' => 'uri', + 'filters' => array( + 'Aws\\S3\\S3Client::explodeKey', + ), + ), + 'PartNumber' => array( + 'required' => true, + 'description' => 'Part number of part being uploaded.', + 'type' => 'string', + 'location' => 'query', + 'sentAs' => 'partNumber', + ), + 'UploadId' => array( + 'required' => true, + 'description' => 'Upload ID identifying the multipart upload whose part is being uploaded.', + 'type' => 'string', + 'location' => 'query', + 'sentAs' => 'uploadId', + ), + 'ContentMD5' => array( + 'description' => 'Content-MD5 checksum of the body. Set to false to disable', + 'default' => true, + ), + 'ValidateMD5' => array( + 'description' => 'Whether or not the Content-MD5 header of the response is validated. Default is true.', + 'default' => true, + ), + ), + ), + 'UploadPartCopy' => array( + 'httpMethod' => 'PUT', + 'uri' => '/{Bucket}{/Key*}', + 'class' => 'Aws\\S3\\Command\\S3Command', + 'responseClass' => 'UploadPartCopyOutput', + 'responseType' => 'model', + 'summary' => 'Uploads a part by copying data from an existing object as data source.', + 'documentationUrl' => 'http://docs.amazonwebservices.com/AmazonS3/latest/API/mpUploadUploadPartCopy.html', + 'parameters' => array( + 'Bucket' => array( + 'required' => true, + 'type' => 'string', + 'location' => 'uri', + ), + 'CopySource' => array( + 'required' => true, + 'description' => 'The name of the source bucket and key name of the source object, separated by a slash (/). Must be URL-encoded.', + 'type' => 'string', + 'location' => 'header', + 'sentAs' => 'x-amz-copy-source', + ), + 'CopySourceIfMatch' => array( + 'description' => 'Copies the object if its entity tag (ETag) matches the specified tag.', + 'type' => array( + 'object', + 'string', + 'integer', + ), + 'format' => 'date-time-http', + 'location' => 'header', + 'sentAs' => 'x-amz-copy-source-if-match', + ), + 'CopySourceIfModifiedSince' => array( + 'description' => 'Copies the object if it has been modified since the specified time.', + 'type' => array( + 'object', + 'string', + 'integer', + ), + 'format' => 'date-time-http', + 'location' => 'header', + 'sentAs' => 'x-amz-copy-source-if-modified-since', + ), + 'CopySourceIfNoneMatch' => array( + 'description' => 'Copies the object if its entity tag (ETag) is different than the specified ETag.', + 'type' => array( + 'object', + 'string', + 'integer', + ), + 'format' => 'date-time-http', + 'location' => 'header', + 'sentAs' => 'x-amz-copy-source-if-none-match', + ), + 'CopySourceIfUnmodifiedSince' => array( + 'description' => 'Copies the object if it hasn\'t been modified since the specified time.', + 'type' => array( + 'object', + 'string', + 'integer', + ), + 'format' => 'date-time-http', + 'location' => 'header', + 'sentAs' => 'x-amz-copy-source-if-unmodified-since', + ), + 'CopySourceRange' => array( + 'description' => 'The range of bytes to copy from the source object. The range value must use the form bytes=first-last, where the first and last are the zero-based byte offsets to copy. For example, bytes=0-9 indicates that you want to copy the first ten bytes of the source. You can copy a range only if the source object is greater than 5 GB.', + 'type' => 'string', + 'location' => 'header', + 'sentAs' => 'x-amz-copy-source-range', + ), + 'Key' => array( + 'required' => true, + 'type' => 'string', + 'location' => 'uri', + 'filters' => array( + 'Aws\\S3\\S3Client::explodeKey', + ), + ), + 'PartNumber' => array( + 'required' => true, + 'description' => 'Part number of part being copied.', + 'type' => 'string', + 'location' => 'query', + 'sentAs' => 'partNumber', + ), + 'UploadId' => array( + 'required' => true, + 'description' => 'Upload ID identifying the multipart upload whose part is being copied.', + 'type' => 'string', + 'location' => 'query', + 'sentAs' => 'uploadId', + ), + 'command.expects' => array( + 'static' => true, + 'default' => 'application/xml', + ), + ), + ), + ), + 'models' => array( + 'AbortMultipartUploadOutput' => array( + 'type' => 'object', + 'additionalProperties' => true, + 'properties' => array( + 'RequestId' => array( + 'description' => 'Request ID of the operation', + 'location' => 'header', + 'sentAs' => 'x-amz-request-id', + ), + ), + ), + 'CompleteMultipartUploadOutput' => array( + 'type' => 'object', + 'additionalProperties' => true, + 'properties' => array( + 'Location' => array( + 'type' => 'string', + 'location' => 'xml', + ), + 'Bucket' => array( + 'type' => 'string', + 'location' => 'xml', + ), + 'Key' => array( + 'type' => 'string', + 'location' => 'xml', + ), + 'Expiration' => array( + 'description' => 'If the object expiration is configured, this will contain the expiration date (expiry-date) and rule ID (rule-id). The value of rule-id is URL encoded.', + 'type' => 'string', + 'location' => 'header', + 'sentAs' => 'x-amz-expiration', + ), + 'ETag' => array( + 'description' => 'Entity tag of the object.', + 'type' => 'string', + 'location' => 'xml', + ), + 'ServerSideEncryption' => array( + 'description' => 'The Server-side encryption algorithm used when storing this object in S3.', + 'type' => 'string', + 'location' => 'header', + 'sentAs' => 'x-amz-server-side-encryption', + ), + 'VersionId' => array( + 'description' => 'Version of the object.', + 'type' => 'string', + 'location' => 'header', + 'sentAs' => 'x-amz-version-id', + ), + 'RequestId' => array( + 'description' => 'Request ID of the operation', + 'location' => 'header', + 'sentAs' => 'x-amz-request-id', + ), + ), + ), + 'CopyObjectOutput' => array( + 'type' => 'object', + 'additionalProperties' => true, + 'properties' => array( + 'ETag' => array( + 'type' => 'string', + 'location' => 'xml', + ), + 'LastModified' => array( + 'type' => 'string', + 'location' => 'xml', + ), + 'Expiration' => array( + 'description' => 'If the object expiration is configured, the response includes this header.', + 'type' => 'string', + 'location' => 'header', + 'sentAs' => 'x-amz-expiration', + ), + 'CopySourceVersionId' => array( + 'type' => 'string', + 'location' => 'header', + 'sentAs' => 'x-amz-copy-source-version-id', + ), + 'ServerSideEncryption' => array( + 'description' => 'The Server-side encryption algorithm used when storing this object in S3.', + 'type' => 'string', + 'location' => 'header', + 'sentAs' => 'x-amz-server-side-encryption', + ), + 'RequestId' => array( + 'description' => 'Request ID of the operation', + 'location' => 'header', + 'sentAs' => 'x-amz-request-id', + ), + ), + ), + 'CreateBucketOutput' => array( + 'type' => 'object', + 'additionalProperties' => true, + 'properties' => array( + 'Location' => array( + 'type' => 'string', + 'location' => 'header', + ), + 'RequestId' => array( + 'description' => 'Request ID of the operation', + 'location' => 'header', + 'sentAs' => 'x-amz-request-id', + ), + ), + ), + 'CreateMultipartUploadOutput' => array( + 'type' => 'object', + 'additionalProperties' => true, + 'properties' => array( + 'Bucket' => array( + 'description' => 'Name of the bucket to which the multipart upload was initiated.', + 'type' => 'string', + 'location' => 'xml', + 'sentAs' => 'Bucket', + ), + 'Key' => array( + 'description' => 'Object key for which the multipart upload was initiated.', + 'type' => 'string', + 'location' => 'xml', + ), + 'UploadId' => array( + 'description' => 'ID for the initiated multipart upload.', + 'type' => 'string', + 'location' => 'xml', + ), + 'ServerSideEncryption' => array( + 'description' => 'The Server-side encryption algorithm used when storing this object in S3.', + 'type' => 'string', + 'location' => 'header', + 'sentAs' => 'x-amz-server-side-encryption', + ), + 'RequestId' => array( + 'description' => 'Request ID of the operation', + 'location' => 'header', + 'sentAs' => 'x-amz-request-id', + ), + ), + ), + 'DeleteBucketOutput' => array( + 'type' => 'object', + 'additionalProperties' => true, + 'properties' => array( + 'RequestId' => array( + 'description' => 'Request ID of the operation', + 'location' => 'header', + 'sentAs' => 'x-amz-request-id', + ), + ), + ), + 'DeleteBucketCorsOutput' => array( + 'type' => 'object', + 'additionalProperties' => true, + 'properties' => array( + 'RequestId' => array( + 'description' => 'Request ID of the operation', + 'location' => 'header', + 'sentAs' => 'x-amz-request-id', + ), + ), + ), + 'DeleteBucketLifecycleOutput' => array( + 'type' => 'object', + 'additionalProperties' => true, + 'properties' => array( + 'RequestId' => array( + 'description' => 'Request ID of the operation', + 'location' => 'header', + 'sentAs' => 'x-amz-request-id', + ), + ), + ), + 'DeleteBucketPolicyOutput' => array( + 'type' => 'object', + 'additionalProperties' => true, + 'properties' => array( + 'RequestId' => array( + 'description' => 'Request ID of the operation', + 'location' => 'header', + 'sentAs' => 'x-amz-request-id', + ), + ), + ), + 'DeleteBucketTaggingOutput' => array( + 'type' => 'object', + 'additionalProperties' => true, + 'properties' => array( + 'RequestId' => array( + 'description' => 'Request ID of the operation', + 'location' => 'header', + 'sentAs' => 'x-amz-request-id', + ), + ), + ), + 'DeleteBucketWebsiteOutput' => array( + 'type' => 'object', + 'additionalProperties' => true, + 'properties' => array( + 'RequestId' => array( + 'description' => 'Request ID of the operation', + 'location' => 'header', + 'sentAs' => 'x-amz-request-id', + ), + ), + ), + 'DeleteObjectOutput' => array( + 'type' => 'object', + 'additionalProperties' => true, + 'properties' => array( + 'DeleteMarker' => array( + 'description' => 'Specifies whether the versioned object that was permanently deleted was (true) or was not (false) a delete marker.', + 'type' => 'string', + 'location' => 'header', + 'sentAs' => 'x-amz-delete-marker', + ), + 'VersionId' => array( + 'description' => 'Returns the version ID of the delete marker created as a result of the DELETE operation.', + 'type' => 'string', + 'location' => 'header', + 'sentAs' => 'x-amz-version-id', + ), + 'RequestId' => array( + 'description' => 'Request ID of the operation', + 'location' => 'header', + 'sentAs' => 'x-amz-request-id', + ), + ), + ), + 'DeleteObjectsOutput' => array( + 'type' => 'object', + 'additionalProperties' => true, + 'properties' => array( + 'Deleted' => array( + 'type' => 'array', + 'location' => 'xml', + 'data' => array( + 'xmlFlattened' => true, + ), + 'items' => array( + 'type' => 'object', + 'properties' => array( + 'Key' => array( + 'type' => 'string', + ), + 'VersionId' => array( + 'type' => 'string', + ), + 'DeleteMarker' => array( + 'type' => 'boolean', + ), + 'DeleteMarkerVersionId' => array( + 'type' => 'string', + ), + ), + ), + ), + 'Errors' => array( + 'type' => 'array', + 'location' => 'xml', + 'sentAs' => 'Error', + 'data' => array( + 'xmlFlattened' => true, + ), + 'items' => array( + 'type' => 'object', + 'sentAs' => 'Error', + 'properties' => array( + 'Key' => array( + 'type' => 'string', + ), + 'VersionId' => array( + 'type' => 'string', + ), + 'Code' => array( + 'type' => 'string', + ), + 'Message' => array( + 'type' => 'string', + ), + ), + ), + ), + 'RequestId' => array( + 'description' => 'Request ID of the operation', + 'location' => 'header', + 'sentAs' => 'x-amz-request-id', + ), + ), + ), + 'GetBucketAclOutput' => array( + 'type' => 'object', + 'additionalProperties' => true, + 'properties' => array( + 'Owner' => array( + 'type' => 'object', + 'location' => 'xml', + 'properties' => array( + 'ID' => array( + 'type' => 'string', + ), + 'DisplayName' => array( + 'type' => 'string', + ), + ), + ), + 'Grants' => array( + 'description' => 'A list of grants.', + 'type' => 'array', + 'location' => 'xml', + 'sentAs' => 'AccessControlList', + 'items' => array( + 'name' => 'Grant', + 'type' => 'object', + 'sentAs' => 'Grant', + 'properties' => array( + 'Grantee' => array( + 'type' => 'object', + 'properties' => array( + 'Type' => array( + 'description' => 'Type of grantee', + 'type' => 'string', + 'sentAs' => 'xsi:type', + 'data' => array( + 'xmlAttribute' => true, + 'xmlNamespace' => 'http://www.w3.org/2001/XMLSchema-instance', + ), + ), + 'ID' => array( + 'description' => 'The canonical user ID of the grantee.', + 'type' => 'string', + ), + 'DisplayName' => array( + 'description' => 'Screen name of the grantee.', + 'type' => 'string', + ), + 'EmailAddress' => array( + 'description' => 'Email address of the grantee.', + 'type' => 'string', + ), + 'URI' => array( + 'description' => 'URI of the grantee group.', + 'type' => 'string', + ), + ), + ), + 'Permission' => array( + 'description' => 'Specifies the permission given to the grantee.', + 'type' => 'string', + ), + ), + ), + ), + 'RequestId' => array( + 'description' => 'Request ID of the operation', + 'location' => 'header', + 'sentAs' => 'x-amz-request-id', + ), + ), + ), + 'GetBucketCorsOutput' => array( + 'type' => 'object', + 'additionalProperties' => true, + 'properties' => array( + 'CORSRules' => array( + 'type' => 'array', + 'location' => 'xml', + 'sentAs' => 'CORSRule', + 'data' => array( + 'xmlFlattened' => true, + ), + 'items' => array( + 'type' => 'object', + 'sentAs' => 'CORSRule', + 'properties' => array( + 'AllowedHeaders' => array( + 'description' => 'Specifies which headers are allowed in a pre-flight OPTIONS request.', + 'type' => 'array', + 'sentAs' => 'AllowedHeader', + 'data' => array( + 'xmlFlattened' => true, + ), + 'items' => array( + 'type' => 'string', + 'sentAs' => 'AllowedHeader', + ), + ), + 'AllowedOrigins' => array( + 'description' => 'One or more origins you want customers to be able to access the bucket from.', + 'type' => 'array', + 'sentAs' => 'AllowedOrigin', + 'data' => array( + 'xmlFlattened' => true, + ), + 'items' => array( + 'type' => 'string', + 'sentAs' => 'AllowedOrigin', + ), + ), + 'AllowedMethods' => array( + 'description' => 'Identifies HTTP methods that the domain/origin specified in the rule is allowed to execute.', + 'type' => 'array', + 'sentAs' => 'AllowedMethod', + 'data' => array( + 'xmlFlattened' => true, + ), + 'items' => array( + 'type' => 'string', + 'sentAs' => 'AllowedMethod', + ), + ), + 'MaxAgeSeconds' => array( + 'description' => 'The time in seconds that your browser is to cache the preflight response for the specified resource.', + 'type' => 'numeric', + ), + 'ExposeHeaders' => array( + 'description' => 'One or more headers in the response that you want customers to be able to access from their applications (for example, from a JavaScript XMLHttpRequest object).', + 'type' => 'array', + 'sentAs' => 'ExposeHeader', + 'data' => array( + 'xmlFlattened' => true, + ), + 'items' => array( + 'type' => 'string', + 'sentAs' => 'ExposeHeader', + ), + ), + ), + ), + ), + 'RequestId' => array( + 'description' => 'Request ID of the operation', + 'location' => 'header', + 'sentAs' => 'x-amz-request-id', + ), + ), + ), + 'GetBucketLifecycleOutput' => array( + 'type' => 'object', + 'additionalProperties' => true, + 'properties' => array( + 'Rules' => array( + 'type' => 'array', + 'location' => 'xml', + 'sentAs' => 'Rule', + 'data' => array( + 'xmlFlattened' => true, + ), + 'items' => array( + 'type' => 'object', + 'sentAs' => 'Rule', + 'properties' => array( + 'ID' => array( + 'description' => 'Unique identifier for the rule. The value cannot be longer than 255 characters.', + 'type' => 'string', + ), + 'Prefix' => array( + 'description' => 'Prefix identifying one or more objects to which the rule applies.', + 'type' => 'string', + ), + 'Status' => array( + 'description' => 'If \'Enabled\', the rule is currently being applied. If \'Disabled\', the rule is not currently being applied.', + 'type' => 'string', + ), + 'Transition' => array( + 'type' => 'object', + 'properties' => array( + 'Days' => array( + 'description' => 'Indicates the lifetime, in days, of the objects that are subject to the rule. The value must be a non-zero positive integer.', + 'type' => 'numeric', + ), + 'Date' => array( + 'description' => 'Indicates at what date the object is to be moved or deleted. Should be in GMT ISO 8601 Format.', + 'type' => 'string', + ), + 'StorageClass' => array( + 'description' => 'The class of storage used to store the object.', + 'type' => 'string', + ), + ), + ), + 'Expiration' => array( + 'type' => 'object', + 'properties' => array( + 'Days' => array( + 'description' => 'Indicates the lifetime, in days, of the objects that are subject to the rule. The value must be a non-zero positive integer.', + 'type' => 'numeric', + ), + 'Date' => array( + 'description' => 'Indicates at what date the object is to be moved or deleted. Should be in GMT ISO 8601 Format.', + 'type' => 'string', + ), + ), + ), + ), + ), + ), + 'RequestId' => array( + 'description' => 'Request ID of the operation', + 'location' => 'header', + 'sentAs' => 'x-amz-request-id', + ), + ), + ), + 'GetBucketLocationOutput' => array( + 'type' => 'object', + 'additionalProperties' => true, + 'properties' => array( + 'Location' => array( + 'type' => 'string', + 'location' => 'body', + 'filters' => array( + 'strval', + 'strip_tags', + 'trim', + ), + ), + ), + ), + 'GetBucketLoggingOutput' => array( + 'type' => 'object', + 'additionalProperties' => true, + 'properties' => array( + 'LoggingEnabled' => array( + 'type' => 'object', + 'location' => 'xml', + 'properties' => array( + 'TargetBucket' => array( + 'description' => 'Specifies the bucket where you want Amazon S3 to store server access logs. You can have your logs delivered to any bucket that you own, including the same bucket that is being logged. You can also configure multiple buckets to deliver their logs to the same target bucket. In this case you should choose a different TargetPrefix for each source bucket so that the delivered log files can be distinguished by key.', + 'type' => 'string', + ), + 'TargetPrefix' => array( + 'description' => 'This element lets you specify a prefix for the keys that the log files will be stored under.', + 'type' => 'string', + ), + 'TargetGrants' => array( + 'type' => 'array', + 'items' => array( + 'name' => 'Grant', + 'type' => 'object', + 'sentAs' => 'Grant', + 'properties' => array( + 'Grantee' => array( + 'type' => 'object', + 'properties' => array( + 'Type' => array( + 'description' => 'Type of grantee', + 'type' => 'string', + 'sentAs' => 'xsi:type', + 'data' => array( + 'xmlAttribute' => true, + 'xmlNamespace' => 'http://www.w3.org/2001/XMLSchema-instance', + ), + ), + 'ID' => array( + 'description' => 'The canonical user ID of the grantee.', + 'type' => 'string', + ), + 'DisplayName' => array( + 'description' => 'Screen name of the grantee.', + 'type' => 'string', + ), + 'EmailAddress' => array( + 'description' => 'Email address of the grantee.', + 'type' => 'string', + ), + 'URI' => array( + 'description' => 'URI of the grantee group.', + 'type' => 'string', + ), + ), + ), + 'Permission' => array( + 'type' => 'string', + ), + ), + ), + ), + ), + ), + 'RequestId' => array( + 'description' => 'Request ID of the operation', + 'location' => 'header', + 'sentAs' => 'x-amz-request-id', + ), + ), + ), + 'GetBucketNotificationOutput' => array( + 'type' => 'object', + 'additionalProperties' => true, + 'properties' => array( + 'TopicConfiguration' => array( + 'type' => 'object', + 'location' => 'xml', + 'properties' => array( + 'Topic' => array( + 'description' => 'Amazon SNS topic to which Amazon S3 will publish a message to report the specified events for the bucket.', + 'type' => 'string', + ), + 'Event' => array( + 'description' => 'Bucket event for which to send notifications.', + 'type' => 'string', + ), + ), + ), + 'RequestId' => array( + 'description' => 'Request ID of the operation', + 'location' => 'header', + 'sentAs' => 'x-amz-request-id', + ), + ), + ), + 'GetBucketPolicyOutput' => array( + 'type' => 'object', + 'additionalProperties' => true, + 'properties' => array( + 'Policy' => array( + 'description' => 'The bucket policy as a JSON document.', + 'type' => 'string', + 'instanceOf' => 'Guzzle\\Http\\EntityBody', + 'location' => 'body', + ), + 'RequestId' => array( + 'description' => 'Request ID of the operation', + 'location' => 'header', + 'sentAs' => 'x-amz-request-id', + ), + ), + ), + 'GetBucketRequestPaymentOutput' => array( + 'type' => 'object', + 'additionalProperties' => true, + 'properties' => array( + 'Payer' => array( + 'description' => 'Specifies who pays for the download and request fees.', + 'type' => 'string', + 'location' => 'xml', + ), + 'RequestId' => array( + 'description' => 'Request ID of the operation', + 'location' => 'header', + 'sentAs' => 'x-amz-request-id', + ), + ), + ), + 'GetBucketTaggingOutput' => array( + 'type' => 'object', + 'additionalProperties' => true, + 'properties' => array( + 'TagSet' => array( + 'type' => 'array', + 'location' => 'xml', + 'items' => array( + 'name' => 'Tag', + 'type' => 'object', + 'sentAs' => 'Tag', + 'properties' => array( + 'Key' => array( + 'description' => 'Name of the tag.', + 'type' => 'string', + ), + 'Value' => array( + 'description' => 'Value of the tag.', + 'type' => 'string', + ), + ), + ), + ), + 'RequestId' => array( + 'description' => 'Request ID of the operation', + 'location' => 'header', + 'sentAs' => 'x-amz-request-id', + ), + ), + ), + 'GetBucketVersioningOutput' => array( + 'type' => 'object', + 'additionalProperties' => true, + 'properties' => array( + 'Status' => array( + 'description' => 'The versioning state of the bucket.', + 'type' => 'string', + 'location' => 'xml', + ), + 'MFADelete' => array( + 'description' => 'Specifies whether MFA delete is enabled in the bucket versioning configuration. This element is only returned if the bucket has been configured with MFA delete. If the bucket has never been so configured, this element is not returned.', + 'type' => 'string', + 'location' => 'xml', + ), + 'RequestId' => array( + 'description' => 'Request ID of the operation', + 'location' => 'header', + 'sentAs' => 'x-amz-request-id', + ), + ), + ), + 'GetBucketWebsiteOutput' => array( + 'type' => 'object', + 'additionalProperties' => true, + 'properties' => array( + 'RedirectAllRequestsTo' => array( + 'type' => 'object', + 'location' => 'xml', + 'properties' => array( + 'HostName' => array( + 'description' => 'Name of the host where requests will be redirected.', + 'type' => 'string', + ), + 'Protocol' => array( + 'description' => 'Protocol to use (http, https) when redirecting requests. The default is the protocol that is used in the original request.', + 'type' => 'string', + ), + ), + ), + 'IndexDocument' => array( + 'type' => 'object', + 'location' => 'xml', + 'properties' => array( + 'Suffix' => array( + 'description' => 'A suffix that is appended to a request that is for a directory on the website endpoint (e.g. if the suffix is index.html and you make a request to samplebucket/images/ the data that is returned will be for the object with the key name images/index.html) The suffix must not be empty and must not include a slash character.', + 'type' => 'string', + ), + ), + ), + 'ErrorDocument' => array( + 'type' => 'object', + 'location' => 'xml', + 'properties' => array( + 'Key' => array( + 'description' => 'The object key name to use when a 4XX class error occurs.', + 'type' => 'string', + ), + ), + ), + 'RoutingRules' => array( + 'type' => 'array', + 'location' => 'xml', + 'items' => array( + 'name' => 'RoutingRule', + 'type' => 'object', + 'sentAs' => 'RoutingRule', + 'properties' => array( + 'Condition' => array( + 'description' => 'A container for describing a condition that must be met for the specified redirect to apply. For example, 1. If request is for pages in the /docs folder, redirect to the /documents folder. 2. If request results in HTTP error 4xx, redirect request to another host where you might process the error.', + 'type' => 'object', + 'properties' => array( + 'KeyPrefixEquals' => array( + 'description' => 'The object key name prefix when the redirect is applied. For example, to redirect requests for ExamplePage.html, the key prefix will be ExamplePage.html. To redirect request for all pages with the prefix docs/, the key prefix will be /docs, which identifies all objects in the docs/ folder. Required when the parent element Condition is specified and sibling HttpErrorCodeReturnedEquals is not specified. If both conditions are specified, both must be true for the redirect to be applied.', + 'type' => 'string', + ), + 'HttpErrorCodeReturnedEquals' => array( + 'description' => 'The HTTP error code when the redirect is applied. In the event of an error, if the error code equals this value, then the specified redirect is applied. Required when parent element Condition is specified and sibling KeyPrefixEquals is not specified. If both are specified, then both must be true for the redirect to be applied.', + 'type' => 'string', + ), + ), + ), + 'Redirect' => array( + 'description' => 'Container for redirect information. You can redirect requests to another host, to another page, or with another protocol. In the event of an error, you can can specify a different error code to return.', + 'type' => 'object', + 'properties' => array( + 'ReplaceKeyPrefixWith' => array( + 'description' => 'The object key prefix to use in the redirect request. For example, to redirect requests for all pages with prefix docs/ (objects in the docs/ folder) to documents/, you can set a condition block with KeyPrefixEquals set to docs/ and in the Redirect set ReplaceKeyPrefixWith to /documents. Not required if one of the siblings is present. Can be present only if ReplaceKeyWith is not provided.', + 'type' => 'string', + ), + 'ReplaceKeyWith' => array( + 'description' => 'The specific object key to use in the redirect request. For example, redirect request to error.html. Not required if one of the sibling is present. Can be present only if ReplaceKeyPrefixWith is not provided.', + 'type' => 'string', + ), + 'HttpRedirectCode' => array( + 'description' => 'The HTTP redirect code to use on the response. Not required if one of the siblings is present.', + 'type' => 'string', + ), + 'HostName' => array( + 'description' => 'Name of the host where requests will be redirected.', + 'type' => 'string', + ), + 'Protocol' => array( + 'description' => 'Protocol to use (http, https) when redirecting requests. The default is the protocol that is used in the original request.', + 'type' => 'string', + ), + ), + ), + ), + ), + ), + 'RequestId' => array( + 'description' => 'Request ID of the operation', + 'location' => 'header', + 'sentAs' => 'x-amz-request-id', + ), + ), + ), + 'GetObjectOutput' => array( + 'type' => 'object', + 'additionalProperties' => true, + 'properties' => array( + 'Body' => array( + 'description' => 'Object data.', + 'type' => 'string', + 'instanceOf' => 'Guzzle\\Http\\EntityBody', + 'location' => 'body', + ), + 'DeleteMarker' => array( + 'description' => 'Specifies whether the object retrieved was (true) or was not (false) a Delete Marker. If false, this response header does not appear in the response.', + 'type' => 'string', + 'location' => 'header', + 'sentAs' => 'x-amz-delete-marker', + ), + 'AcceptRanges' => array( + 'type' => 'string', + 'location' => 'header', + 'sentAs' => 'accept-ranges', + ), + 'Expiration' => array( + 'description' => 'If the object expiration is configured (see PUT Bucket lifecycle), the response includes this header. It includes the expiry-date and rule-id key value pairs providing object expiration information. The value of the rule-id is URL encoded.', + 'type' => 'string', + 'location' => 'header', + 'sentAs' => 'x-amz-expiration', + ), + 'Restore' => array( + 'description' => 'Provides information about object restoration operation and expiration time of the restored object copy.', + 'type' => 'string', + 'location' => 'header', + 'sentAs' => 'x-amz-restore', + ), + 'LastModified' => array( + 'description' => 'Last modified date of the object', + 'type' => 'string', + 'location' => 'header', + 'sentAs' => 'Last-Modified', + ), + 'ContentLength' => array( + 'description' => 'Size of the body in bytes.', + 'type' => 'numeric', + 'location' => 'header', + 'sentAs' => 'Content-Length', + ), + 'ETag' => array( + 'description' => 'An ETag is an opaque identifier assigned by a web server to a specific version of a resource found at a URL', + 'type' => 'string', + 'location' => 'header', + ), + 'MissingMeta' => array( + 'description' => 'This is set to the number of metadata entries not returned in x-amz-meta headers. This can happen if you create metadata using an API like SOAP that supports more flexible metadata than the REST API. For example, using SOAP, you can create metadata whose values are not legal HTTP headers.', + 'type' => 'numeric', + 'location' => 'header', + 'sentAs' => 'x-amz-missing-meta', + ), + 'VersionId' => array( + 'description' => 'Version of the object.', + 'type' => 'string', + 'location' => 'header', + 'sentAs' => 'x-amz-version-id', + ), + 'CacheControl' => array( + 'description' => 'Specifies caching behavior along the request/reply chain.', + 'type' => 'string', + 'location' => 'header', + 'sentAs' => 'Cache-Control', + ), + 'ContentDisposition' => array( + 'description' => 'Specifies presentational information for the object.', + 'type' => 'string', + 'location' => 'header', + 'sentAs' => 'Content-Disposition', + ), + 'ContentEncoding' => array( + 'description' => 'Specifies what content encodings have been applied to the object and thus what decoding mechanisms must be applied to obtain the media-type referenced by the Content-Type header field.', + 'type' => 'string', + 'location' => 'header', + 'sentAs' => 'Content-Encoding', + ), + 'ContentLanguage' => array( + 'description' => 'The language the content is in.', + 'type' => 'string', + 'location' => 'header', + 'sentAs' => 'Content-Language', + ), + 'ContentType' => array( + 'description' => 'A standard MIME type describing the format of the object data.', + 'type' => 'string', + 'location' => 'header', + 'sentAs' => 'Content-Type', + ), + 'Expires' => array( + 'description' => 'The date and time at which the object is no longer cacheable.', + 'type' => 'string', + 'location' => 'header', + ), + 'WebsiteRedirectLocation' => array( + 'description' => 'If the bucket is configured as a website, redirects requests for this object to another object in the same bucket or to an external URL. Amazon S3 stores the value of this header in the object metadata.', + 'type' => 'string', + 'location' => 'header', + 'sentAs' => 'x-amz-website-redirect-location', + ), + 'ServerSideEncryption' => array( + 'description' => 'The Server-side encryption algorithm used when storing this object in S3.', + 'type' => 'string', + 'location' => 'header', + 'sentAs' => 'x-amz-server-side-encryption', + ), + 'Metadata' => array( + 'description' => 'A map of metadata to store with the object in S3.', + 'type' => 'object', + 'location' => 'header', + 'sentAs' => 'x-amz-meta-', + 'additionalProperties' => array( + 'description' => 'The metadata value.', + 'type' => 'string', + ), + ), + 'RequestId' => array( + 'description' => 'Request ID of the operation', + 'location' => 'header', + 'sentAs' => 'x-amz-request-id', + ), + ), + ), + 'GetObjectAclOutput' => array( + 'type' => 'object', + 'additionalProperties' => true, + 'properties' => array( + 'Owner' => array( + 'type' => 'object', + 'location' => 'xml', + 'properties' => array( + 'ID' => array( + 'type' => 'string', + ), + 'DisplayName' => array( + 'type' => 'string', + ), + ), + ), + 'Grants' => array( + 'description' => 'A list of grants.', + 'type' => 'array', + 'location' => 'xml', + 'sentAs' => 'AccessControlList', + 'items' => array( + 'name' => 'Grant', + 'type' => 'object', + 'sentAs' => 'Grant', + 'properties' => array( + 'Grantee' => array( + 'type' => 'object', + 'properties' => array( + 'Type' => array( + 'description' => 'Type of grantee', + 'type' => 'string', + 'sentAs' => 'xsi:type', + 'data' => array( + 'xmlAttribute' => true, + 'xmlNamespace' => 'http://www.w3.org/2001/XMLSchema-instance', + ), + ), + 'ID' => array( + 'description' => 'The canonical user ID of the grantee.', + 'type' => 'string', + ), + 'DisplayName' => array( + 'description' => 'Screen name of the grantee.', + 'type' => 'string', + ), + 'EmailAddress' => array( + 'description' => 'Email address of the grantee.', + 'type' => 'string', + ), + 'URI' => array( + 'description' => 'URI of the grantee group.', + 'type' => 'string', + ), + ), + ), + 'Permission' => array( + 'description' => 'Specifies the permission given to the grantee.', + 'type' => 'string', + ), + ), + ), + ), + 'RequestId' => array( + 'description' => 'Request ID of the operation', + 'location' => 'header', + 'sentAs' => 'x-amz-request-id', + ), + ), + ), + 'GetObjectTorrentOutput' => array( + 'type' => 'object', + 'additionalProperties' => true, + 'properties' => array( + 'Body' => array( + 'type' => 'string', + 'instanceOf' => 'Guzzle\\Http\\EntityBody', + 'location' => 'body', + ), + 'RequestId' => array( + 'description' => 'Request ID of the operation', + 'location' => 'header', + 'sentAs' => 'x-amz-request-id', + ), + ), + ), + 'HeadBucketOutput' => array( + 'type' => 'object', + 'additionalProperties' => true, + 'properties' => array( + 'RequestId' => array( + 'description' => 'Request ID of the operation', + 'location' => 'header', + 'sentAs' => 'x-amz-request-id', + ), + ), + ), + 'HeadObjectOutput' => array( + 'type' => 'object', + 'additionalProperties' => true, + 'properties' => array( + 'DeleteMarker' => array( + 'description' => 'Specifies whether the object retrieved was (true) or was not (false) a Delete Marker. If false, this response header does not appear in the response.', + 'type' => 'string', + 'location' => 'header', + 'sentAs' => 'x-amz-delete-marker', + ), + 'AcceptRanges' => array( + 'type' => 'string', + 'location' => 'header', + 'sentAs' => 'accept-ranges', + ), + 'Expiration' => array( + 'description' => 'If the object expiration is configured (see PUT Bucket lifecycle), the response includes this header. It includes the expiry-date and rule-id key value pairs providing object expiration information. The value of the rule-id is URL encoded.', + 'type' => 'string', + 'location' => 'header', + 'sentAs' => 'x-amz-expiration', + ), + 'Restore' => array( + 'description' => 'Provides information about object restoration operation and expiration time of the restored object copy.', + 'type' => 'string', + 'location' => 'header', + 'sentAs' => 'x-amz-restore', + ), + 'LastModified' => array( + 'description' => 'Last modified date of the object', + 'type' => 'string', + 'location' => 'header', + 'sentAs' => 'Last-Modified', + ), + 'ContentLength' => array( + 'description' => 'Size of the body in bytes.', + 'type' => 'numeric', + 'location' => 'header', + 'sentAs' => 'Content-Length', + ), + 'ETag' => array( + 'description' => 'An ETag is an opaque identifier assigned by a web server to a specific version of a resource found at a URL', + 'type' => 'string', + 'location' => 'header', + ), + 'MissingMeta' => array( + 'description' => 'This is set to the number of metadata entries not returned in x-amz-meta headers. This can happen if you create metadata using an API like SOAP that supports more flexible metadata than the REST API. For example, using SOAP, you can create metadata whose values are not legal HTTP headers.', + 'type' => 'numeric', + 'location' => 'header', + 'sentAs' => 'x-amz-missing-meta', + ), + 'VersionId' => array( + 'description' => 'Version of the object.', + 'type' => 'string', + 'location' => 'header', + 'sentAs' => 'x-amz-version-id', + ), + 'CacheControl' => array( + 'description' => 'Specifies caching behavior along the request/reply chain.', + 'type' => 'string', + 'location' => 'header', + 'sentAs' => 'Cache-Control', + ), + 'ContentDisposition' => array( + 'description' => 'Specifies presentational information for the object.', + 'type' => 'string', + 'location' => 'header', + 'sentAs' => 'Content-Disposition', + ), + 'ContentEncoding' => array( + 'description' => 'Specifies what content encodings have been applied to the object and thus what decoding mechanisms must be applied to obtain the media-type referenced by the Content-Type header field.', + 'type' => 'string', + 'location' => 'header', + 'sentAs' => 'Content-Encoding', + ), + 'ContentLanguage' => array( + 'description' => 'The language the content is in.', + 'type' => 'string', + 'location' => 'header', + 'sentAs' => 'Content-Language', + ), + 'ContentType' => array( + 'description' => 'A standard MIME type describing the format of the object data.', + 'type' => 'string', + 'location' => 'header', + 'sentAs' => 'Content-Type', + ), + 'Expires' => array( + 'description' => 'The date and time at which the object is no longer cacheable.', + 'type' => 'string', + 'location' => 'header', + ), + 'WebsiteRedirectLocation' => array( + 'description' => 'If the bucket is configured as a website, redirects requests for this object to another object in the same bucket or to an external URL. Amazon S3 stores the value of this header in the object metadata.', + 'type' => 'string', + 'location' => 'header', + 'sentAs' => 'x-amz-website-redirect-location', + ), + 'ServerSideEncryption' => array( + 'description' => 'The Server-side encryption algorithm used when storing this object in S3.', + 'type' => 'string', + 'location' => 'header', + 'sentAs' => 'x-amz-server-side-encryption', + ), + 'Metadata' => array( + 'description' => 'A map of metadata to store with the object in S3.', + 'type' => 'object', + 'location' => 'header', + 'sentAs' => 'x-amz-meta-', + 'additionalProperties' => array( + 'description' => 'The metadata value.', + 'type' => 'string', + ), + ), + 'RequestId' => array( + 'description' => 'Request ID of the operation', + 'location' => 'header', + 'sentAs' => 'x-amz-request-id', + ), + ), + ), + 'ListBucketsOutput' => array( + 'type' => 'object', + 'additionalProperties' => true, + 'properties' => array( + 'Buckets' => array( + 'type' => 'array', + 'location' => 'xml', + 'items' => array( + 'name' => 'Bucket', + 'type' => 'object', + 'sentAs' => 'Bucket', + 'properties' => array( + 'Name' => array( + 'description' => 'The name of the bucket.', + 'type' => 'string', + ), + 'CreationDate' => array( + 'description' => 'Date the bucket was created.', + 'type' => 'string', + ), + ), + ), + ), + 'Owner' => array( + 'type' => 'object', + 'location' => 'xml', + 'properties' => array( + 'ID' => array( + 'type' => 'string', + ), + 'DisplayName' => array( + 'type' => 'string', + ), + ), + ), + 'RequestId' => array( + 'description' => 'Request ID of the operation', + 'location' => 'header', + 'sentAs' => 'x-amz-request-id', + ), + ), + ), + 'ListMultipartUploadsOutput' => array( + 'type' => 'object', + 'additionalProperties' => true, + 'properties' => array( + 'Bucket' => array( + 'description' => 'Name of the bucket to which the multipart upload was initiated.', + 'type' => 'string', + 'location' => 'xml', + ), + 'KeyMarker' => array( + 'description' => 'The key at or after which the listing began.', + 'type' => 'string', + 'location' => 'xml', + ), + 'UploadIdMarker' => array( + 'description' => 'Upload ID after which listing began.', + 'type' => 'string', + 'location' => 'xml', + ), + 'NextKeyMarker' => array( + 'description' => 'When a list is truncated, this element specifies the value that should be used for the key-marker request parameter in a subsequent request.', + 'type' => 'string', + 'location' => 'xml', + ), + 'NextUploadIdMarker' => array( + 'description' => 'When a list is truncated, this element specifies the value that should be used for the upload-id-marker request parameter in a subsequent request.', + 'type' => 'string', + 'location' => 'xml', + ), + 'MaxUploads' => array( + 'description' => 'Maximum number of multipart uploads that could have been included in the response.', + 'type' => 'numeric', + 'location' => 'xml', + ), + 'IsTruncated' => array( + 'description' => 'Indicates whether the returned list of multipart uploads is truncated. A value of true indicates that the list was truncated. The list can be truncated if the number of multipart uploads exceeds the limit allowed or specified by max uploads.', + 'type' => 'boolean', + 'location' => 'xml', + ), + 'Uploads' => array( + 'type' => 'array', + 'location' => 'xml', + 'sentAs' => 'Upload', + 'data' => array( + 'xmlFlattened' => true, + ), + 'items' => array( + 'type' => 'object', + 'sentAs' => 'Upload', + 'properties' => array( + 'UploadId' => array( + 'description' => 'Upload ID that identifies the multipart upload.', + 'type' => 'string', + ), + 'Key' => array( + 'description' => 'Key of the object for which the multipart upload was initiated.', + 'type' => 'string', + ), + 'Initiated' => array( + 'description' => 'Date and time at which the multipart upload was initiated.', + 'type' => 'string', + ), + 'StorageClass' => array( + 'description' => 'The class of storage used to store the object.', + 'type' => 'string', + ), + 'Owner' => array( + 'type' => 'object', + 'properties' => array( + 'ID' => array( + 'type' => 'string', + ), + 'DisplayName' => array( + 'type' => 'string', + ), + ), + ), + 'Initiator' => array( + 'description' => 'Identifies who initiated the multipart upload.', + 'type' => 'object', + 'properties' => array( + 'ID' => array( + 'description' => 'If the principal is an AWS account, it provides the Canonical User ID. If the principal is an IAM User, it provides a user ARN value.', + 'type' => 'string', + ), + 'DisplayName' => array( + 'description' => 'Name of the Principal.', + 'type' => 'string', + ), + ), + ), + ), + ), + ), + 'RequestId' => array( + 'description' => 'Request ID of the operation', + 'location' => 'header', + 'sentAs' => 'x-amz-request-id', + ), + ), + ), + 'ListObjectVersionsOutput' => array( + 'type' => 'object', + 'additionalProperties' => true, + 'properties' => array( + 'IsTruncated' => array( + 'description' => 'A flag that indicates whether or not Amazon S3 returned all of the results that satisfied the search criteria. If your results were truncated, you can make a follow-up paginated request using the NextKeyMarker and NextVersionIdMarker response parameters as a starting place in another request to return the rest of the results.', + 'type' => 'boolean', + 'location' => 'xml', + ), + 'KeyMarker' => array( + 'description' => 'Marks the last Key returned in a truncated response.', + 'type' => 'string', + 'location' => 'xml', + ), + 'VersionIdMarker' => array( + 'type' => 'string', + 'location' => 'xml', + ), + 'NextKeyMarker' => array( + 'description' => 'Use this value for the key marker request parameter in a subsequent request.', + 'type' => 'string', + 'location' => 'xml', + ), + 'NextVersionIdMarker' => array( + 'description' => 'Use this value for the next version id marker parameter in a subsequent request.', + 'type' => 'string', + 'location' => 'xml', + ), + 'Versions' => array( + 'type' => 'array', + 'location' => 'xml', + 'sentAs' => 'Version', + 'data' => array( + 'xmlFlattened' => true, + ), + 'items' => array( + 'type' => 'object', + 'sentAs' => 'Version', + 'properties' => array( + 'ETag' => array( + 'type' => 'string', + ), + 'Size' => array( + 'description' => 'Size in bytes of the object.', + 'type' => 'string', + ), + 'StorageClass' => array( + 'description' => 'The class of storage used to store the object.', + 'type' => 'string', + ), + 'Key' => array( + 'description' => 'The object key.', + 'type' => 'string', + ), + 'VersionId' => array( + 'description' => 'Version ID of an object.', + 'type' => 'string', + ), + 'IsLatest' => array( + 'description' => 'Specifies whether the object is (true) or is not (false) the latest version of an object.', + 'type' => 'boolean', + ), + 'LastModified' => array( + 'description' => 'Date and time the object was last modified.', + 'type' => 'string', + ), + 'Owner' => array( + 'type' => 'object', + 'properties' => array( + 'ID' => array( + 'type' => 'string', + ), + 'DisplayName' => array( + 'type' => 'string', + ), + ), + ), + ), + ), + ), + 'DeleteMarkers' => array( + 'type' => 'array', + 'location' => 'xml', + 'sentAs' => 'DeleteMarker', + 'data' => array( + 'xmlFlattened' => true, + ), + 'items' => array( + 'type' => 'object', + 'sentAs' => 'DeleteMarker', + 'properties' => array( + 'Owner' => array( + 'type' => 'object', + 'properties' => array( + 'ID' => array( + 'type' => 'string', + ), + 'DisplayName' => array( + 'type' => 'string', + ), + ), + ), + 'Key' => array( + 'description' => 'The object key.', + 'type' => 'string', + ), + 'VersionId' => array( + 'description' => 'Version ID of an object.', + 'type' => 'string', + ), + 'IsLatest' => array( + 'description' => 'Specifies whether the object is (true) or is not (false) the latest version of an object.', + 'type' => 'boolean', + ), + 'LastModified' => array( + 'description' => 'Date and time the object was last modified.', + 'type' => 'string', + ), + ), + ), + ), + 'Name' => array( + 'type' => 'string', + 'location' => 'xml', + ), + 'Prefix' => array( + 'type' => 'string', + 'location' => 'xml', + ), + 'MaxKeys' => array( + 'type' => 'numeric', + 'location' => 'xml', + ), + 'CommonPrefixes' => array( + 'type' => 'array', + 'location' => 'xml', + 'data' => array( + 'xmlFlattened' => true, + ), + 'items' => array( + 'type' => 'object', + 'properties' => array( + 'Prefix' => array( + 'type' => 'string', + ), + ), + ), + ), + 'RequestId' => array( + 'description' => 'Request ID of the operation', + 'location' => 'header', + 'sentAs' => 'x-amz-request-id', + ), + ), + ), + 'ListObjectsOutput' => array( + 'type' => 'object', + 'additionalProperties' => true, + 'properties' => array( + 'IsTruncated' => array( + 'description' => 'A flag that indicates whether or not Amazon S3 returned all of the results that satisfied the search criteria.', + 'type' => 'boolean', + 'location' => 'xml', + ), + 'Marker' => array( + 'type' => 'string', + 'location' => 'xml', + ), + 'Contents' => array( + 'type' => 'array', + 'location' => 'xml', + 'data' => array( + 'xmlFlattened' => true, + ), + 'items' => array( + 'type' => 'object', + 'properties' => array( + 'Key' => array( + 'type' => 'string', + ), + 'LastModified' => array( + 'type' => 'string', + ), + 'ETag' => array( + 'type' => 'string', + ), + 'Size' => array( + 'type' => 'numeric', + ), + 'StorageClass' => array( + 'description' => 'The class of storage used to store the object.', + 'type' => 'string', + ), + 'Owner' => array( + 'type' => 'object', + 'properties' => array( + 'ID' => array( + 'type' => 'string', + ), + 'DisplayName' => array( + 'type' => 'string', + ), + ), + ), + ), + ), + ), + 'Name' => array( + 'type' => 'string', + 'location' => 'xml', + ), + 'Prefix' => array( + 'type' => 'string', + 'location' => 'xml', + ), + 'MaxKeys' => array( + 'type' => 'numeric', + 'location' => 'xml', + ), + 'CommonPrefixes' => array( + 'type' => 'array', + 'location' => 'xml', + 'data' => array( + 'xmlFlattened' => true, + ), + 'items' => array( + 'type' => 'object', + 'properties' => array( + 'Prefix' => array( + 'type' => 'string', + ), + ), + ), + ), + 'RequestId' => array( + 'description' => 'Request ID of the operation', + 'location' => 'header', + 'sentAs' => 'x-amz-request-id', + ), + ), + ), + 'ListPartsOutput' => array( + 'type' => 'object', + 'additionalProperties' => true, + 'properties' => array( + 'Bucket' => array( + 'description' => 'Name of the bucket to which the multipart upload was initiated.', + 'type' => 'string', + 'location' => 'xml', + ), + 'Key' => array( + 'description' => 'Object key for which the multipart upload was initiated.', + 'type' => 'string', + 'location' => 'xml', + ), + 'UploadId' => array( + 'description' => 'Upload ID identifying the multipart upload whose parts are being listed.', + 'type' => 'string', + 'location' => 'xml', + ), + 'PartNumberMarker' => array( + 'description' => 'Part number after which listing begins.', + 'type' => 'numeric', + 'location' => 'xml', + ), + 'NextPartNumberMarker' => array( + 'description' => 'When a list is truncated, this element specifies the last part in the list, as well as the value to use for the part-number-marker request parameter in a subsequent request.', + 'type' => 'numeric', + 'location' => 'xml', + ), + 'MaxParts' => array( + 'description' => 'Maximum number of parts that were allowed in the response.', + 'type' => 'numeric', + 'location' => 'xml', + ), + 'IsTruncated' => array( + 'description' => 'Indicates whether the returned list of parts is truncated.', + 'type' => 'boolean', + 'location' => 'xml', + ), + 'Parts' => array( + 'type' => 'array', + 'location' => 'xml', + 'sentAs' => 'Part', + 'data' => array( + 'xmlFlattened' => true, + ), + 'items' => array( + 'type' => 'object', + 'sentAs' => 'Part', + 'properties' => array( + 'PartNumber' => array( + 'description' => 'Part number identifying the part.', + 'type' => 'numeric', + ), + 'LastModified' => array( + 'description' => 'Date and time at which the part was uploaded.', + 'type' => 'string', + ), + 'ETag' => array( + 'description' => 'Entity tag returned when the part was uploaded.', + 'type' => 'string', + ), + 'Size' => array( + 'description' => 'Size of the uploaded part data.', + 'type' => 'numeric', + ), + ), + ), + ), + 'Initiator' => array( + 'description' => 'Identifies who initiated the multipart upload.', + 'type' => 'object', + 'location' => 'xml', + 'properties' => array( + 'ID' => array( + 'description' => 'If the principal is an AWS account, it provides the Canonical User ID. If the principal is an IAM User, it provides a user ARN value.', + 'type' => 'string', + ), + 'DisplayName' => array( + 'description' => 'Name of the Principal.', + 'type' => 'string', + ), + ), + ), + 'Owner' => array( + 'type' => 'object', + 'location' => 'xml', + 'properties' => array( + 'ID' => array( + 'type' => 'string', + ), + 'DisplayName' => array( + 'type' => 'string', + ), + ), + ), + 'StorageClass' => array( + 'description' => 'The class of storage used to store the object.', + 'type' => 'string', + 'location' => 'xml', + ), + 'RequestId' => array( + 'description' => 'Request ID of the operation', + 'location' => 'header', + 'sentAs' => 'x-amz-request-id', + ), + ), + ), + 'PutBucketAclOutput' => array( + 'type' => 'object', + 'additionalProperties' => true, + 'properties' => array( + 'RequestId' => array( + 'description' => 'Request ID of the operation', + 'location' => 'header', + 'sentAs' => 'x-amz-request-id', + ), + ), + ), + 'PutBucketCorsOutput' => array( + 'type' => 'object', + 'additionalProperties' => true, + 'properties' => array( + 'RequestId' => array( + 'description' => 'Request ID of the operation', + 'location' => 'header', + 'sentAs' => 'x-amz-request-id', + ), + ), + ), + 'PutBucketLifecycleOutput' => array( + 'type' => 'object', + 'additionalProperties' => true, + 'properties' => array( + 'RequestId' => array( + 'description' => 'Request ID of the operation', + 'location' => 'header', + 'sentAs' => 'x-amz-request-id', + ), + ), + ), + 'PutBucketLoggingOutput' => array( + 'type' => 'object', + 'additionalProperties' => true, + 'properties' => array( + 'RequestId' => array( + 'description' => 'Request ID of the operation', + 'location' => 'header', + 'sentAs' => 'x-amz-request-id', + ), + ), + ), + 'PutBucketNotificationOutput' => array( + 'type' => 'object', + 'additionalProperties' => true, + 'properties' => array( + 'RequestId' => array( + 'description' => 'Request ID of the operation', + 'location' => 'header', + 'sentAs' => 'x-amz-request-id', + ), + ), + ), + 'PutBucketPolicyOutput' => array( + 'type' => 'object', + 'additionalProperties' => true, + 'properties' => array( + 'RequestId' => array( + 'description' => 'Request ID of the operation', + 'location' => 'header', + 'sentAs' => 'x-amz-request-id', + ), + ), + ), + 'PutBucketRequestPaymentOutput' => array( + 'type' => 'object', + 'additionalProperties' => true, + 'properties' => array( + 'RequestId' => array( + 'description' => 'Request ID of the operation', + 'location' => 'header', + 'sentAs' => 'x-amz-request-id', + ), + ), + ), + 'PutBucketTaggingOutput' => array( + 'type' => 'object', + 'additionalProperties' => true, + 'properties' => array( + 'RequestId' => array( + 'description' => 'Request ID of the operation', + 'location' => 'header', + 'sentAs' => 'x-amz-request-id', + ), + ), + ), + 'PutBucketVersioningOutput' => array( + 'type' => 'object', + 'additionalProperties' => true, + 'properties' => array( + 'RequestId' => array( + 'description' => 'Request ID of the operation', + 'location' => 'header', + 'sentAs' => 'x-amz-request-id', + ), + ), + ), + 'PutBucketWebsiteOutput' => array( + 'type' => 'object', + 'additionalProperties' => true, + 'properties' => array( + 'RequestId' => array( + 'description' => 'Request ID of the operation', + 'location' => 'header', + 'sentAs' => 'x-amz-request-id', + ), + ), + ), + 'PutObjectOutput' => array( + 'type' => 'object', + 'additionalProperties' => true, + 'properties' => array( + 'Expiration' => array( + 'description' => 'If the object expiration is configured, this will contain the expiration date (expiry-date) and rule ID (rule-id). The value of rule-id is URL encoded.', + 'type' => 'string', + 'location' => 'header', + 'sentAs' => 'x-amz-expiration', + ), + 'ETag' => array( + 'description' => 'Entity tag for the uploaded object.', + 'type' => 'string', + 'location' => 'header', + ), + 'ServerSideEncryption' => array( + 'description' => 'The Server-side encryption algorithm used when storing this object in S3.', + 'type' => 'string', + 'location' => 'header', + 'sentAs' => 'x-amz-server-side-encryption', + ), + 'VersionId' => array( + 'description' => 'Version of the object.', + 'type' => 'string', + 'location' => 'header', + 'sentAs' => 'x-amz-version-id', + ), + 'RequestId' => array( + 'description' => 'Request ID of the operation', + 'location' => 'header', + 'sentAs' => 'x-amz-request-id', + ), + 'ObjectURL' => array( + 'description' => 'URL of the uploaded object', + ), + ), + ), + 'PutObjectAclOutput' => array( + 'type' => 'object', + 'additionalProperties' => true, + 'properties' => array( + 'RequestId' => array( + 'description' => 'Request ID of the operation', + 'location' => 'header', + 'sentAs' => 'x-amz-request-id', + ), + ), + ), + 'RestoreObjectOutput' => array( + 'type' => 'object', + 'additionalProperties' => true, + 'properties' => array( + 'RequestId' => array( + 'description' => 'Request ID of the operation', + 'location' => 'header', + 'sentAs' => 'x-amz-request-id', + ), + ), + ), + 'UploadPartOutput' => array( + 'type' => 'object', + 'additionalProperties' => true, + 'properties' => array( + 'ServerSideEncryption' => array( + 'description' => 'The Server-side encryption algorithm used when storing this object in S3.', + 'type' => 'string', + 'location' => 'header', + 'sentAs' => 'x-amz-server-side-encryption', + ), + 'ETag' => array( + 'description' => 'Entity tag for the uploaded object.', + 'type' => 'string', + 'location' => 'header', + ), + 'RequestId' => array( + 'description' => 'Request ID of the operation', + 'location' => 'header', + 'sentAs' => 'x-amz-request-id', + ), + ), + ), + 'UploadPartCopyOutput' => array( + 'type' => 'object', + 'additionalProperties' => true, + 'properties' => array( + 'CopySourceVersionId' => array( + 'description' => 'The version of the source object that was copied, if you have enabled versioning on the source bucket.', + 'type' => 'string', + 'location' => 'header', + 'sentAs' => 'x-amz-copy-source-version-id', + ), + 'ETag' => array( + 'description' => 'Entity tag of the object.', + 'type' => 'string', + 'location' => 'xml', + ), + 'LastModified' => array( + 'description' => 'Date and time at which the object was uploaded.', + 'type' => 'string', + 'location' => 'xml', + ), + 'ServerSideEncryption' => array( + 'description' => 'The Server-side encryption algorithm used when storing this object in S3.', + 'type' => 'string', + 'location' => 'header', + 'sentAs' => 'x-amz-server-side-encryption', + ), + 'RequestId' => array( + 'description' => 'Request ID of the operation', + 'location' => 'header', + 'sentAs' => 'x-amz-request-id', + ), + ), + ), + ), + 'waiters' => array( + '__default__' => array( + 'interval' => 5, + 'max_attempts' => 20, + ), + 'BucketExists' => array( + 'operation' => 'HeadBucket', + 'description' => 'Wait until a bucket exists.', + 'success.type' => 'output', + 'ignore_errors' => array( + 'NoSuchBucket', + ), + ), + 'BucketNotExists' => array( + 'operation' => 'HeadBucket', + 'description' => 'Wait until a bucket does not exist.', + 'success.type' => 'error', + 'success.value' => 'NoSuchBucket', + ), + 'ObjectExists' => array( + 'operation' => 'HeadObject', + 'description' => 'Wait until an object exists.', + 'success.type' => 'output', + 'ignore_errors' => array( + 'NoSuchKey', + ), + ), + ), +); diff --git a/apps/files_external/3rdparty/aws-sdk-php/Aws/S3/ResumableDownload.php b/apps/files_external/3rdparty/aws-sdk-php/Aws/S3/ResumableDownload.php new file mode 100644 index 0000000000..386a077370 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Aws/S3/ResumableDownload.php @@ -0,0 +1,176 @@ +params = $params; + $this->client = $client; + $this->params['Bucket'] = $bucket; + $this->params['Key'] = $key; + + // If a string is passed, then assume that the download should stream to a file on disk + if (is_string($target)) { + if (!($target = fopen($target, 'a+'))) { + throw new RuntimeException("Unable to open {$target} for writing"); + } + // Always append to the file + fseek($target, 0, SEEK_END); + } + + // Get the metadata and Content-MD5 of the object + $this->target = EntityBody::factory($target); + } + + /** + * Get the bucket of the download + * + * @return string + */ + public function getBucket() + { + return $this->params['Bucket']; + } + + /** + * Get the key of the download + * + * @return string + */ + public function getKey() + { + return $this->params['Key']; + } + + /** + * Get the file to which the contents are downloaded + * + * @return string + */ + public function getFilename() + { + return $this->target->getUri(); + } + + /** + * Download the remainder of the object from Amazon S3 + * + * Performs a message integrity check if possible + * + * @return Model + */ + public function __invoke() + { + $command = $this->client->getCommand('HeadObject', $this->params); + $this->meta = $command->execute(); + + if ($this->target->ftell() >= $this->meta['ContentLength']) { + return false; + } + + $this->meta['ContentMD5'] = (string) $command->getResponse()->getHeader('Content-MD5'); + + // Use a ReadLimitEntityBody so that rewinding the stream after an error does not cause the file pointer + // to enter an inconsistent state with the data being downloaded + $this->params['SaveAs'] = new ReadLimitEntityBody( + $this->target, + $this->meta['ContentLength'], + $this->target->ftell() + ); + + $result = $this->getRemaining(); + $this->checkIntegrity(); + + return $result; + } + + /** + * Send the command to get the remainder of the object + * + * @return Model + */ + protected function getRemaining() + { + $current = $this->target->ftell(); + $targetByte = $this->meta['ContentLength'] - 1; + $this->params['Range'] = "bytes={$current}-{$targetByte}"; + + // Set the starting offset so that the body is never seeked to before this point in the event of a retry + $this->params['SaveAs']->setOffset($current); + $command = $this->client->getCommand('GetObject', $this->params); + + return $command->execute(); + } + + /** + * Performs an MD5 message integrity check if possible + * + * @throws UnexpectedValueException if the message does not validate + */ + protected function checkIntegrity() + { + if ($this->target->isReadable() && $expected = $this->meta['ContentMD5']) { + $actual = $this->target->getContentMd5(); + if ($actual != $expected) { + throw new UnexpectedValueException( + "Message integrity check failed. Expected {$expected} but got {$actual}." + ); + } + } + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Aws/S3/S3Client.php b/apps/files_external/3rdparty/aws-sdk-php/Aws/S3/S3Client.php new file mode 100644 index 0000000000..88c61b83dd --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Aws/S3/S3Client.php @@ -0,0 +1,689 @@ + 'ListBuckets', + 'GetBucket' => 'ListObjects', + 'PutBucket' => 'CreateBucket', + + // SDK 1.x Aliases + 'GetBucketHeaders' => 'HeadBucket', + 'GetObjectHeaders' => 'HeadObject', + 'SetBucketAcl' => 'PutBucketAcl', + 'CreateObject' => 'PutObject', + 'DeleteObjects' => 'DeleteMultipleObjects', + 'PutObjectCopy' => 'CopyObject', + 'SetObjectAcl' => 'PutObjectAcl', + 'GetLogs' => 'GetBucketLogging', + 'GetVersioningStatus' => 'GetBucketVersioning', + 'SetBucketPolicy' => 'PutBucketPolicy', + 'CreateBucketNotification' => 'PutBucketNotification', + 'GetBucketNotifications' => 'GetBucketNotification', + 'CopyPart' => 'UploadPartCopy', + 'CreateWebsiteConfig' => 'PutBucketWebsite', + 'GetWebsiteConfig' => 'GetBucketWebsite', + 'DeleteWebsiteConfig' => 'DeleteBucketWebsite', + 'CreateObjectExpirationConfig' => 'PutBucketLifecycle', + 'GetObjectExpirationConfig' => 'GetBucketLifecycle', + 'DeleteObjectExpirationConfig' => 'DeleteBucketLifecycle', + ); + + /** + * @inheritdoc + */ + protected $directory = __DIR__; + + /** + * Factory method to create a new Amazon S3 client using an array of configuration options. + * + * The following array keys and values are available options: + * + * Credential options (key, secret, and optional token OR credentials is required) + * + * - key - AWS Access Key ID + * - secret - AWS secret access key + * - credentials - You can optionally provide a custom `Aws\Common\Credentials\CredentialsInterface` object + * - token - Custom AWS security token to use with request authentication + * - token.ttd - UNIX timestamp for when the custom credentials expire + * - credentials.cache - Used to cache credentials when using providers that require HTTP requests. Set the true + * to use the default APC cache or provide a `Guzzle\Cache\CacheAdapterInterface` object. + * - credentials.cache.key - Optional custom cache key to use with the credentials + * - credentials.client - Pass this option to specify a custom `Guzzle\Http\ClientInterface` to use if your + * credentials require a HTTP request (e.g. RefreshableInstanceProfileCredentials) + * + * Region and Endpoint options (a `region` and optional `scheme` OR a `base_url` is required) + * + * - region - Region name (e.g. 'us-east-1', 'us-west-1', 'us-west-2', 'eu-west-1', etc...) + * - scheme - URI Scheme of the base URL (e.g. 'https', 'http'). + * - base_url - Instead of using a `region` and `scheme`, you can specify a custom base URL for the client + * + * Generic client options + * + * - ssl.certificate_authority: Set to true to use the bundled CA cert (default), system to use the certificate + * bundled with your system, or pass the full path to an SSL certificate bundle. This option should be used when + * you encounter curl error code 60. + * - curl.options - Array of cURL options to apply to every request. + * See http://www.php.net/manual/en/function.curl-setopt.php for a list of available options + * - signature - You can optionally provide a custom signature implementation used to sign requests + * - client.backoff.logger - `Guzzle\Log\LogAdapterInterface` object used to log backoff retries. Use + * 'debug' to emit PHP warnings when a retry is issued. + * - client.backoff.logger.template - Optional template to use for exponential backoff log messages. See + * `Guzzle\Plugin\Backoff\BackoffLogger` for formatting information. + * + * @param array|Collection $config Client configuration data + * + * @return self + */ + public static function factory($config = array()) + { + $exceptionParser = new S3ExceptionParser(); + + // Configure the custom exponential backoff plugin for retrying S3 specific errors + if (!isset($config[Options::BACKOFF])) { + $config[Options::BACKOFF] = new BackoffPlugin( + new TruncatedBackoffStrategy(3, + new HttpBackoffStrategy(null, + new SocketTimeoutChecker( + new CurlBackoffStrategy(null, + new ExpiredCredentialsChecker($exceptionParser, + new ExponentialBackoffStrategy() + ) + ) + ) + ) + ) + ); + } + + $client = ClientBuilder::factory(__NAMESPACE__) + ->setConfig($config) + ->setConfigDefaults(array( + Options::SIGNATURE => new S3Signature(), + Options::VERSION => self::LATEST_API_VERSION, + Options::SERVICE_DESCRIPTION => __DIR__ . '/Resources/s3-%s.php' + )) + ->setExceptionParser($exceptionParser) + ->setIteratorsConfig(array( + 'more_key' => 'IsTruncated', + 'operations' => array( + 'ListBuckets', + 'ListMultipartUploads' => array( + 'limit_param' => 'MaxUploads', + 'token_param' => array('KeyMarker', 'UploadIdMarker'), + 'token_key' => array('NextKeyMarker', 'NextUploadIdMarker'), + ), + 'ListObjects' => array( + 'limit_param' => 'MaxKeys', + 'token_param' => 'Marker', + 'token_key' => 'NextMarker', + ), + 'ListObjectVersions' => array( + 'limit_param' => 'MaxKeys', + 'token_param' => array('KeyMarker', 'VersionIdMarker'), + 'token_key' => array('nextKeyMarker', 'nextVersionIdMarker'), + ), + 'ListParts' => array( + 'limit_param' => 'MaxParts', + 'result_key' => 'Parts', + 'token_param' => 'PartNumberMarker', + 'token_key' => 'NextPartNumberMarker', + ), + ) + )) + ->build(); + + // Use virtual hosted buckets when possible + $client->addSubscriber(new BucketStyleListener()); + + // Ensure that ACP headers are applied when needed + $client->addSubscriber(new AcpListener()); + + // Validate and add Content-MD5 hashes + $client->addSubscriber(new CommandContentMd5Plugin()); + + // Allow for specifying bodies with file paths and file handles + $client->addSubscriber(new UploadBodyListener(array('PutObject', 'UploadPart'))); + + // Add aliases for some S3 operations + $default = CompositeFactory::getDefaultChain($client); + $default->add( + new AliasFactory($client, self::$commandAliases), + 'Guzzle\Service\Command\Factory\ServiceDescriptionFactory' + ); + $client->setCommandFactory($default); + + return $client; + } + + /** + * Find out if a string is a valid name for an Amazon S3 bucket. + * + * @param string $bucket The name of the bucket to check. + * + * @return bool TRUE if the bucket name is valid or FALSE if it is invalid. + */ + public static function isValidBucketName($bucket) + { + $bucketLen = strlen($bucket); + if (!$bucket || $bucketLen < 3 || $bucketLen > 63 + // Cannot start or end with a '.' + || $bucket[0] == '.' + || $bucket[$bucketLen - 1] == '.' + // Cannot look like an IP address + || preg_match('/^\d+\.\d+\.\d+\.\d+$/', $bucket) + // Cannot include special characters, must start and end with lower alnum + || !preg_match('/^[a-z0-9][a-z0-9\-.]*[a-z0-9]?$/', $bucket)) { + return false; + } + + return true; + } + + /** + * Create a pre-signed URL for a request + * + * @param RequestInterface $request Request to generate the URL for. Use the factory methods of the client to + * create this request object + * @param int|string|\DateTime $expires The time at which the URL should expire. This can be a Unix timestamp, a + * PHP DateTime object, or a string that can be evaluated by strtotime + * + * @return string + * @throws InvalidArgumentException if the request is not associated with this client object + */ + public function createPresignedUrl(RequestInterface $request, $expires) + { + if ($request->getClient() !== $this) { + throw new InvalidArgumentException('The request object must be associated with the client. Use the ' + . '$client->get(), $client->head(), $client->post(), $client->put(), etc. methods when passing in a ' + . 'request object'); + } + + if ($expires instanceof \DateTime) { + $expires = $expires->getTimestamp(); + } elseif (!is_numeric($expires)) { + $expires = strtotime($expires); + } + + // Operate on a clone of the request, so the original is not altered + $request = clone $request; + + // URL encoding already occurs in the URI template expansion. Undo that and encode using the same encoding as + // GET object, PUT object, etc. + $path = $this->encodeKey(rawurldecode($request->getPath())); + $request->setPath($path); + + // Make sure to handle temporary credentials + if ($token = $this->credentials->getSecurityToken()) { + $request->setHeader('x-amz-security-token', $token); + $request->getQuery()->set('x-amz-security-token', $token); + } + + // Set query params required for pre-signed URLs + $request->getQuery() + ->set('AWSAccessKeyId', $this->credentials->getAccessKeyId()) + ->set('Expires', $expires) + ->set('Signature', $this->signature->signString( + $this->signature->createCanonicalizedString($request, $expires), + $this->credentials + )); + + return $request->getUrl(); + } + + /** + * Returns the URL to an object identified by its bucket and key. If an expiration time is provided, the URL will + * be signed and set to expire at the provided time. + * + * @param string $bucket The name of the bucket where the object is located + * @param string $key The key of the object + * @param mixed $expires The time at which the URL should expire + * @param array $args Arguments to the GetObject command. Additionally you can specify a "Scheme" if you would + * like the URL to use a different scheme than what the client is configured to use + * + * @return string The URL to the object + */ + public function getObjectUrl($bucket, $key, $expires = null, array $args = array()) + { + $command = $this->getCommand('GetObject', $args + array('Bucket' => $bucket, 'Key' => $key)); + + if ($command->hasKey('Scheme')) { + $scheme = $command['Scheme']; + $request = $command->remove('Scheme')->prepare()->setScheme($scheme)->setPort(null); + } else { + $request = $command->prepare(); + } + + return $expires ? $this->createPresignedUrl($request, $expires) : $request->getUrl(); + } + + /** + * Helper used to clear the contents of a bucket. Use the {@see ClearBucket} object directly + * for more advanced options and control. + * + * @param string $bucket Name of the bucket to clear. + * + * @return int Returns the number of deleted keys + */ + public function clearBucket($bucket) + { + $clear = new ClearBucket($this, $bucket); + + return $clear->clear(); + } + + /** + * Determines whether or not a bucket exists by name + * + * @param string $bucket The name of the bucket + * @param bool $accept403 Set to true if 403s are acceptable + * @param array $options Additional options to add to the executed command + * + * @return bool + */ + public function doesBucketExist($bucket, $accept403 = true, array $options = array()) + { + return $this->checkExistenceWithCommand( + $this->getCommand('HeadBucket', array_merge($options, array( + 'Bucket' => $bucket + ))), $accept403 + ); + } + + /** + * Determines whether or not an object exists by name + * + * @param string $bucket The name of the bucket + * @param string $key The key of the object + * @param array $options Additional options to add to the executed command + * + * @return bool + */ + public function doesObjectExist($bucket, $key, array $options = array()) + { + return $this->checkExistenceWithCommand( + $this->getCommand('HeadObject', array_merge($options, array( + 'Bucket' => $bucket, + 'Key' => $key + ))) + ); + } + + /** + * Determines whether or not a bucket policy exists for a bucket + * + * @param string $bucket The name of the bucket + * @param array $options Additional options to add to the executed command + * + * @return bool + */ + public function doesBucketPolicyExist($bucket, array $options = array()) + { + return $this->checkExistenceWithCommand( + $this->getCommand('GetBucketPolicy', array_merge($options, array( + 'Bucket' => $bucket + ))) + ); + } + + /** + * Raw URL encode a key and allow for '/' characters + * + * @param string $key Key to encode + * + * @return string Returns the encoded key + */ + public static function encodeKey($key) + { + return str_replace('%2F', '/', rawurlencode($key)); + } + + /** + * Explode a prefixed key into an array of values + * + * @param string $key Key to explode + * + * @return array Returns the exploded + */ + public static function explodeKey($key) + { + // Remove a leading slash if one is found + return explode('/', $key && $key[0] == '/' ? substr($key, 1) : $key); + } + + /** + * Register the Amazon S3 stream wrapper and associates it with this client object + * + * @return self + */ + public function registerStreamWrapper() + { + StreamWrapper::register($this); + + return $this; + } + + /** + * Upload a file, stream, or string to a bucket. If the upload size exceeds the specified threshold, the upload + * will be performed using parallel multipart uploads. + * + * @param string $bucket Bucket to upload the object + * @param string $key Key of the object + * @param mixed $body Object data to upload. Can be a Guzzle\Http\EntityBodyInterface, stream resource, or + * string of data to upload. + * @param string $acl ACL to apply to the object + * @param array $options Custom options used when executing commands: + * - params: Custom parameters to use with the upload. The parameters must map to a PutObject + * or InitiateMultipartUpload operation parameters. + * - min_part_size: Minimum size to allow for each uploaded part when performing a multipart upload. + * - concurrency: Maximum number of concurrent multipart uploads. + * - before_upload: Callback to invoke before each multipart upload. The callback will receive a + * Guzzle\Common\Event object with context. + * + * @see Aws\S3\Model\MultipartUpload\UploadBuilder for more options and customization + * @return \Guzzle\Service\Resource\Model Returns the modeled result of the performed operation + */ + public function upload($bucket, $key, $body, $acl = 'private', array $options = array()) + { + $body = EntityBody::factory($body); + $options = Collection::fromConfig(array_change_key_case($options), array( + 'min_part_size' => AbstractMulti::MIN_PART_SIZE, + 'params' => array(), + 'concurrency' => $body->getWrapper() == 'plainfile' ? 3 : 1 + )); + + if ($body->getSize() < $options['min_part_size']) { + // Perform a simple PutObject operation + return $this->putObject(array( + 'Bucket' => $bucket, + 'Key' => $key, + 'Body' => $body, + 'ACL' => $acl + ) + $options['params']); + } + + // Perform a multipart upload if the file is large enough + $transfer = UploadBuilder::newInstance() + ->setBucket($bucket) + ->setKey($key) + ->setMinPartSize($options['min_part_size']) + ->setConcurrency($options['concurrency']) + ->setClient($this) + ->setSource($body) + ->setTransferOptions($options->toArray()) + ->addOptions($options['params']) + ->setOption('ACL', $acl) + ->build() + ->upload(); + + if ($options['before_upload']) { + $transfer->getEventDispatcher()->addListener( + AbstractTransfer::BEFORE_PART_UPLOAD, + $options['before_upload'] + ); + } + + return $transfer; + } + + /** + * Recursively uploads all files in a given directory to a given bucket. + * + * @param string $directory Full path to a directory to upload + * @param string $bucket Name of the bucket + * @param string $keyPrefix Virtual directory key prefix to add to each upload + * @param array $options Associative array of upload options + * - params: Array of parameters to use with each PutObject operation performed during the transfer + * - base_dir: Base directory to remove from each object key + * - force: Set to true to upload every file, even if the file is already in Amazon S3 and has not changed + * - concurrency: Maximum number of parallel uploads (defaults to 10) + * - debug: Set to true or an fopen resource to enable debug mode to print information about each upload + * - multipart_upload_size: When the size of a file exceeds this value, the file will be uploaded using a + * multipart upload. + * + * @see Aws\S3\S3Sync\S3Sync for more options and customization + */ + public function uploadDirectory($directory, $bucket, $keyPrefix = null, array $options = array()) + { + $options = Collection::fromConfig($options, array('base_dir' => $directory)); + $builder = $options['builder'] ?: UploadSyncBuilder::getInstance(); + $builder->uploadFromDirectory($directory) + ->setClient($this) + ->setBucket($bucket) + ->setKeyPrefix($keyPrefix) + ->setConcurrency($options['concurrency'] ?: 5) + ->setBaseDir($options['base_dir']) + ->force($options['force']) + ->setOperationParams($options['params'] ?: array()) + ->enableDebugOutput($options['debug']); + + if ($options->hasKey('multipart_upload_size')) { + $builder->setMultipartUploadSize($options['multipart_upload_size']); + } + + $builder->build()->transfer(); + } + + /** + * Downloads a bucket to the local filesystem + * + * @param string $directory Directory to download to + * @param string $bucket Bucket to download from + * @param string $keyPrefix Only download objects that use this key prefix + * @param array $options Associative array of download options + * - params: Array of parameters to use with each GetObject operation performed during the transfer + * - base_dir: Base directory to remove from each object key when storing in the local filesystem + * - force: Set to true to download every file, even if the file is already on the local filesystem and has not + * changed + * - concurrency: Maximum number of parallel downloads (defaults to 10) + * - debug: Set to true or a fopen resource to enable debug mode to print information about each download + * - allow_resumable: Set to true to allow previously interrupted downloads to be resumed using a Range GET + */ + public function downloadBucket($directory, $bucket, $keyPrefix = '', array $options = array()) + { + $options = new Collection($options); + $builder = $options['builder'] ?: DownloadSyncBuilder::getInstance(); + $builder->setDirectory($directory) + ->setClient($this) + ->setBucket($bucket) + ->setKeyPrefix($keyPrefix) + ->setConcurrency($options['concurrency'] ?: 10) + ->setBaseDir($options['base_dir']) + ->force($options['force']) + ->setOperationParams($options['params'] ?: array()) + ->enableDebugOutput($options['debug']); + + if ($options['allow_resumable']) { + $builder->allowResumableDownloads(); + } + + $builder->build()->transfer(); + } + + /** + * Deletes objects from Amazon S3 that match the result of a ListObjects operation. For example, this allows you + * to do things like delete all objects that match a specific key prefix. + * + * @param string $bucket Bucket that contains the object keys + * @param string $prefix Optionally delete only objects under this key prefix + * @param string $regex Delete only objects that match this regex + * @param array $options Options used when deleting the object: + * - before_delete: Callback to invoke before each delete. The callback will receive a + * Guzzle\Common\Event object with context. + * + * @see Aws\S3\S3Client::listObjects + * @see Aws\S3\Model\ClearBucket For more options or customization + * @return int Returns the number of deleted keys + * @throws RuntimeException if no prefix and no regex is given + */ + public function deleteMatchingObjects($bucket, $prefix = '', $regex = '', array $options = array()) + { + if (!$prefix && !$regex) { + throw new RuntimeException('A prefix or regex is required, or use S3Client::clearBucket().'); + } + + $clear = new ClearBucket($this, $bucket); + $iterator = $this->getIterator('ListObjects', array('Bucket' => $bucket, 'Prefix' => $prefix)); + + if ($regex) { + $iterator = new FilterIterator($iterator, function ($current) use ($regex) { + return preg_match($regex, $current['Key']); + }); + } + + $clear->setIterator($iterator); + if (isset($options['before_delete'])) { + $clear->getEventDispatcher()->addListener(ClearBucket::BEFORE_CLEAR, $options['before_delete']); + } + + return $clear->clear(); + } + + /** + * Determines whether or not a resource exists using a command + * + * @param CommandInterface $command Command used to poll for the resource + * @param bool $accept403 Set to true if 403s are acceptable + * + * @return bool + * @throws S3Exception|\Exception if there is an unhandled exception + */ + protected function checkExistenceWithCommand(CommandInterface $command, $accept403 = false) + { + try { + $command->execute(); + $exists = true; + } catch (AccessDeniedException $e) { + $exists = (bool) $accept403; + } catch (S3Exception $e) { + $exists = false; + if ($e->getResponse()->getStatusCode() >= 500) { + // @codeCoverageIgnoreStart + throw $e; + // @codeCoverageIgnoreEnd + } + } + + return $exists; + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Aws/S3/S3Signature.php b/apps/files_external/3rdparty/aws-sdk-php/Aws/S3/S3Signature.php new file mode 100644 index 0000000000..67c3da3b74 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Aws/S3/S3Signature.php @@ -0,0 +1,207 @@ +getSecurityToken()) { + $request->setHeader('x-amz-security-token', $token); + } + + // Add a date header if one is not set + if (!$request->hasHeader('date') && !$request->hasHeader('x-amz-date')) { + $request->setHeader('Date', gmdate(DateFormat::RFC2822)); + } + + $stringToSign = $this->createCanonicalizedString($request); + $request->getParams()->set('aws.string_to_sign', $stringToSign); + + $request->setHeader( + 'Authorization', + 'AWS ' . $credentials->getAccessKeyId() . ':' . $this->signString($stringToSign, $credentials) + ); + } + + /** + * {@inheritdoc} + */ + public function signString($string, CredentialsInterface $credentials) + { + return base64_encode(hash_hmac('sha1', $string, $credentials->getSecretKey(), true)); + } + + /** + * {@inheritdoc} + */ + public function createCanonicalizedString(RequestInterface $request, $expires = null) + { + $buffer = $request->getMethod() . "\n"; + + // Add the interesting headers + foreach ($this->signableHeaders as $header) { + $buffer .= (string) $request->getHeader($header) . "\n"; + } + + // Choose dates from left to right based on what's set + $date = $expires ?: (string) $request->getHeader('date'); + + $buffer .= "{$date}\n" + . $this->createCanonicalizedAmzHeaders($request) + . $this->createCanonicalizedResource($request); + + return $buffer; + } + + /** + * Create a canonicalized AmzHeaders string for a signature. + * + * @param RequestInterface $request Request from which to gather headers + * + * @return string Returns canonicalized AMZ headers. + */ + protected function createCanonicalizedAmzHeaders(RequestInterface $request) + { + $headers = array(); + foreach ($request->getHeaders(true) as $header) { + /** @var $header \Guzzle\Http\Message\Header */ + $name = strtolower($header->getName()); + if (strpos($name, 'x-amz-') === 0) { + $value = trim((string) $header); + if ($value || $value === '0') { + $headers[$name] = $name . ':' . $value; + } + } + } + + if (empty($headers)) { + return ''; + } else { + ksort($headers); + + return implode("\n", $headers) . "\n"; + } + } + + /** + * Create a canonicalized resource for a request + * + * @param RequestInterface $request Request for the resource + * + * @return string + */ + protected function createCanonicalizedResource(RequestInterface $request) + { + $buffer = $request->getParams()->get('s3.resource'); + // When sending a raw HTTP request (e.g. $client->get()) + if (null === $buffer) { + $bucket = $request->getParams()->get('bucket') ?: $this->parseBucketName($request); + // Use any specified bucket name, the parsed bucket name, or no bucket name when interacting with GetService + $buffer = $bucket ? "/{$bucket}" : ''; + // Remove encoding from the path and use the S3 specific encoding + $path = S3Client::encodeKey(rawurldecode($request->getPath())); + // if the bucket was path style, then ensure that the bucket wasn't duplicated in the resource + $buffer .= preg_replace("#^/{$bucket}/{$bucket}#", "/{$bucket}", $path); + } + + // Remove double slashes + $buffer = str_replace('//', '/', $buffer); + + // Add sub resource parameters + $query = $request->getQuery(); + $first = true; + foreach ($this->signableQueryString as $key) { + if ($value = $query->get($key)) { + $buffer .= $first ? '?' : '&'; + $first = false; + $buffer .= $key; + if ($value !== QueryString::BLANK) { + $buffer .= "={$value}"; + } + } + } + + return $buffer; + } + + /** + * Parse the bucket name from a request object + * + * @param RequestInterface $request Request to parse + * + * @return string + */ + protected function parseBucketName(RequestInterface $request) + { + $baseUrl = Url::factory($request->getClient()->getBaseUrl()); + $baseHost = $baseUrl->getHost(); + $host = $request->getHost(); + + if (strpos($host, $baseHost) === false) { + // Does not contain the base URL, so it's either a redirect, CNAME, or using a different region + $baseHost = ''; + // For every known S3 host, check if that host is present on the request + $regions = $request->getClient()->getDescription()->getData('regions'); + foreach ($regions as $region) { + if (strpos($host, $region['hostname']) !== false) { + // This host matches the request host. Tells use the region and endpoint-- we can derive the bucket + $baseHost = $region['hostname']; + break; + } + } + // If no matching base URL was found, then assume that this is a CNAME, and the CNAME is the bucket + if (!$baseHost) { + return $host; + } + } + + // Remove the baseURL from the host of the request to attempt to determine the bucket name + return trim(str_replace($baseHost, '', $request->getHost()), ' .'); + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Aws/S3/S3SignatureInterface.php b/apps/files_external/3rdparty/aws-sdk-php/Aws/S3/S3SignatureInterface.php new file mode 100644 index 0000000000..d1182f64f3 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Aws/S3/S3SignatureInterface.php @@ -0,0 +1,48 @@ +setNext($next); + } + } + + /** + * {@inheridoc} + */ + public function makesDecision() + { + return true; + } + + /** + * {@inheritdoc} + */ + protected function getDelay( + $retries, + RequestInterface $request, + Response $response = null, + HttpException $e = null + ) { + if ($response + && $response->getStatusCode() == 400 + && strpos($response->getBody(), self::ERR) + ) { + // Check if the request is sending a local file, and if so, clear the stat cache and recalculate the size. + if ($request instanceof EntityEnclosingRequestInterface) { + if ($request->getBody()->getWrapper() == 'plainfile') { + $filename = $request->getBody()->getUri(); + // Clear the cache so that we send accurate file sizes + clearstatcache(true, $filename); + $length = filesize($filename); + $request->getBody()->setSize($length); + $request->setHeader('Content-Length', $length); + } + } + + return true; + } + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Aws/S3/StreamWrapper.php b/apps/files_external/3rdparty/aws-sdk-php/Aws/S3/StreamWrapper.php new file mode 100644 index 0000000000..86c2610b63 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Aws/S3/StreamWrapper.php @@ -0,0 +1,765 @@ +/" files with PHP streams, supporting "r", "w", "a", "x". + * + * # Supported stream related PHP functions: + * - fopen, fclose, fread, fwrite, fseek, ftell, feof, fflush + * - opendir, closedir, readdir, rewinddir + * - copy, rename, unlink + * - mkdir, rmdir, rmdir (recursive) + * - file_get_contents, file_put_contents + * - file_exists, filesize, is_file, is_dir + * + * # Opening "r" (read only) streams: + * + * Read only streams are truly streaming by default and will not allow you to seek. This is because data + * read from the stream is not kept in memory or on the local filesystem. You can force a "r" stream to be seekable + * by setting the "seekable" stream context option true. This will allow true streaming of data from Amazon S3, but + * will maintain a buffer of previously read bytes in a 'php://temp' stream to allow seeking to previously read bytes + * from the stream. + * + * You may pass any GetObject parameters as 's3' stream context options. These options will affect how the data is + * downloaded from Amazon S3. + * + * # Opening "w" and "x" (write only) streams: + * + * Because Amazon S3 requires a Content-Length header, write only streams will maintain a 'php://temp' stream to buffer + * data written to the stream until the stream is flushed (usually by closing the stream with fclose). + * + * You may pass any PutObject parameters as 's3' stream context options. These options will affect how the data is + * uploaded to Amazon S3. + * + * When opening an "x" stream, the file must exist on Amazon S3 for the stream to open successfully. + * + * # Opening "a" (write only append) streams: + * + * Similar to "w" streams, opening append streams requires that the data be buffered in a "php://temp" stream. Append + * streams will attempt to download the contents of an object in Amazon S3, seek to the end of the object, then allow + * you to append to the contents of the object. The data will then be uploaded using a PutObject operation when the + * stream is flushed (usually with fclose). + * + * You may pass any GetObject and/or PutObject parameters as 's3' stream context options. These options will affect how + * the data is downloaded and uploaded from Amazon S3. + * + * Stream context options: + * + * - "seekable": Set to true to create a seekable "r" (read only) stream by using a php://temp stream buffer + * - "throw_exceptions": Set to true to throw exceptions instead of trigger_errors + * - For "unlink" only: Any option that can be passed to the DeleteObject operation + */ +class StreamWrapper +{ + /** + * @var resource|null Stream context (this is set by PHP when a context is used) + */ + public $context; + + /** + * @var S3Client Client used to send requests + */ + protected static $client; + + /** + * @var string Mode the stream was opened with + */ + protected $mode; + + /** + * @var EntityBody Underlying stream resource + */ + protected $body; + + /** + * @var array Current parameters to use with the flush operation + */ + protected $params; + + /** + * @var ListObjectsIterator Iterator used with opendir() and subsequent readdir() calls + */ + protected $objectIterator; + + /** + * @var string The bucket that was opened when opendir() was called + */ + protected $openedBucket; + + /** + * @var string The prefix of the bucket that was opened with opendir() + */ + protected $openedBucketPrefix; + + /** + * @var array The next key to retrieve when using a directory iterator. Helps for fast directory traversal. + */ + protected static $nextStat = array(); + + /** + * Register the 's3://' stream wrapper + * + * @param S3Client $client Client to use with the stream wrapper + */ + public static function register(S3Client $client) + { + if (in_array('s3', stream_get_wrappers())) { + stream_wrapper_unregister('s3'); + } + + stream_wrapper_register('s3', __CLASS__, STREAM_IS_URL); + self::$client = $client; + } + + /** + * Close the stream + */ + public function stream_close() + { + $this->body = null; + } + + /** + * @param string $path + * @param string $mode + * @param int $options + * @param string $opened_path + * + * @return bool + */ + public function stream_open($path, $mode, $options, &$opened_path) + { + // We don't care about the binary flag + $this->mode = $mode = rtrim($mode, 'bt'); + $this->params = $params = $this->getParams($path); + $errors = array(); + + if (!$params['Key']) { + $errors[] = 'Cannot open a bucket. You must specify a path in the form of s3://bucket/key'; + } + + if (strpos($mode, '+')) { + $errors[] = 'The Amazon S3 stream wrapper does not allow simultaneous reading and writing.'; + } + + if (!in_array($mode, array('r', 'w', 'a', 'x'))) { + $errors[] = "Mode not supported: {$mode}. Use one 'r', 'w', 'a', or 'x'."; + } + + // When using mode "x" validate if the file exists before attempting to read + if ($mode == 'x' && !self::$client->doesObjectExist($params['Bucket'], $params['Key'], $this->getOptions())) { + $errors[] = "{$path} does not exist on Amazon S3"; + } + + if (!$errors) { + if ($mode == 'r') { + $this->openReadStream($params, $errors); + } elseif ($mode == 'a') { + $this->openAppendStream($params, $errors); + } else { + $this->openWriteStream($params, $errors); + } + } + + return $errors ? $this->triggerError($errors) : true; + } + + /** + * @return bool + */ + public function stream_eof() + { + return $this->body->feof(); + } + + /** + * @return bool + */ + public function stream_flush() + { + if ($this->mode == 'r') { + return false; + } + + $this->body->rewind(); + $params = $this->params; + $params['Body'] = $this->body; + + try { + self::$client->putObject($params); + return true; + } catch (\Exception $e) { + return $this->triggerError($e->getMessage()); + } + } + + /** + * Read data from the underlying stream + * + * @param int $count Amount of bytes to read + * + * @return string + */ + public function stream_read($count) + { + return $this->body->read($count); + } + + /** + * Seek to a specific byte in the stream + * + * @param int $offset Seek offset + * @param int $whence Whence (SEEK_SET, SEEK_CUR, SEEK_END) + * + * @return bool + */ + public function stream_seek($offset, $whence = SEEK_SET) + { + return $this->body->seek($offset, $whence); + } + + /** + * Get the current position of the stream + * + * @return int Returns the current position in the stream + */ + public function stream_tell() + { + return $this->body->ftell(); + } + + /** + * Write data the to the stream + * + * @param string $data + * + * @return int Returns the number of bytes written to the stream + */ + public function stream_write($data) + { + return $this->body->write($data); + } + + /** + * Delete a specific object + * + * @param string $path + * @return bool + */ + public function unlink($path) + { + try { + $this->clearStatInfo($path); + self::$client->deleteObject($this->getParams($path)); + return true; + } catch (\Exception $e) { + return $this->triggerError($e->getMessage()); + } + } + + /** + * @return array + */ + public function stream_stat() + { + $stat = fstat($this->body->getStream()); + // Add the size of the underlying stream if it is known + if ($this->mode == 'r' && $this->body->getSize()) { + $stat[7] = $stat['size'] = $this->body->getSize(); + } + + return $stat; + } + + /** + * Provides information for is_dir, is_file, filesize, etc. Works on buckets, keys, and prefixes + * + * @param string $path + * @param int $flags + * + * @return array Returns an array of stat data + * @link http://www.php.net/manual/en/streamwrapper.url-stat.php + */ + public function url_stat($path, $flags) + { + // Check if this path is in the url_stat cache + if (isset(self::$nextStat[$path])) { + return self::$nextStat[$path]; + } + + $parts = $this->getParams($path); + + // Stat a bucket or just s3:// + if (!$parts['Key'] && (!$parts['Bucket'] || self::$client->doesBucketExist($parts['Bucket']))) { + return $this->formatUrlStat($path); + } + + // You must pass either a bucket or a bucket + key + if (!$parts['Key']) { + return $this->triggerError("File or directory not found: {$path}", $flags); + } + + try { + try { + // Attempt to stat and cache regular object + return $this->formatUrlStat(self::$client->headObject($parts)->toArray()); + } catch (NoSuchKeyException $e) { + // Maybe this isn't an actual key, but a prefix. Do a prefix listing of objects to determine. + $result = self::$client->listObjects(array( + 'Bucket' => $parts['Bucket'], + 'Prefix' => $parts['Key'], + 'MaxKeys' => 1 + )); + if (!$result['Contents'] && !$result['CommonPrefixes']) { + return $this->triggerError("File or directory not found: {$path}", $flags); + } + // This is a directory prefix + return $this->formatUrlStat($path); + } + } catch (\Exception $e) { + return $this->triggerError($e->getMessage(), $flags); + } + } + + /** + * Support for mkdir(). + * + * @param string $path Directory which should be created. + * @param int $mode Permissions. 700-range permissions map to ACL_PUBLIC. 600-range permissions map to + * ACL_AUTH_READ. All other permissions map to ACL_PRIVATE. Expects octal form. + * @param int $options A bitwise mask of values, such as STREAM_MKDIR_RECURSIVE. (unused) + * + * @return bool + * @link http://www.php.net/manual/en/streamwrapper.mkdir.php + */ + public function mkdir($path, $mode, $options) + { + $params = $this->getParams($path); + $this->clearStatInfo($path); + + if (!$params['Bucket'] || $params['Key']) { + return false; + } + + try { + if (!isset($params['ACL'])) { + $mode = decoct($mode); + if ($mode >= 700 and $mode <= 799) { + $params['ACL'] = 'public-read'; + } elseif ($mode >= 600 && $mode <= 699) { + $params['ACL'] = 'authenticated-read'; + } else { + $params['ACL'] = 'private'; + } + } + self::$client->createBucket($params); + return true; + } catch (\Exception $e) { + return $this->triggerError($e->getMessage()); + } + } + + /** + * Remove a bucket from Amazon S3 + * + * @param string $path the directory path + * + * @return bool true if directory was successfully removed + * @link http://www.php.net/manual/en/streamwrapper.rmdir.php + */ + public function rmdir($path) + { + $params = $this->getParams($path); + if (!$params['Bucket']) { + return $this->triggerError('You cannot delete s3://. Please specify a bucket.'); + } elseif ($params['Key']) { + return $this->triggerError('rmdir() only supports bucket deletion'); + } + + try { + self::$client->deleteBucket(array('Bucket' => $params['Bucket'])); + $this->clearStatInfo($path); + return true; + } catch (\Exception $e) { + return $this->triggerError($e->getMessage()); + } + } + + /** + * Support for opendir(). + * + * @param string $path The path to the directory (e.g. "s3://dir[]") + * @param string $options Whether or not to enforce safe_mode (0x04). Unused. + * + * @return bool true on success + * @see http://www.php.net/manual/en/function.opendir.php + */ + public function dir_opendir($path, $options) + { + // Reset the cache + $this->clearStatInfo(); + $params = $this->getParams($path); + $delimiter = $this->getOption('delimiter'); + + if ($delimiter === null) { + $delimiter = '/'; + } + + if ($params['Key']) { + $suffix = $delimiter ?: '/'; + $params['Key'] = rtrim($params['Key'], $suffix) . $suffix; + } + + $this->openedBucket = $params['Bucket']; + $this->openedBucketPrefix = $params['Key']; + $operationParams = array('Bucket' => $params['Bucket'], 'Prefix' => $params['Key']); + + if ($delimiter) { + $operationParams['Delimiter'] = $delimiter; + } + + $this->objectIterator = self::$client->getIterator('ListObjects', $operationParams, array( + 'return_prefixes' => true, + 'sort_results' => true + )); + + $this->objectIterator->next(); + + return true; + } + + /** + * Close the directory listing handles + * + * @return bool true on success + */ + public function dir_closedir() + { + $this->objectIterator = null; + + return true; + } + + /** + * This method is called in response to rewinddir() + * + * @return boolean true on success + */ + public function dir_rewinddir() + { + $this->clearStatInfo(); + $this->objectIterator->rewind(); + + return true; + } + + /** + * This method is called in response to readdir() + * + * @return string Should return a string representing the next filename, or false if there is no next file. + * + * @link http://www.php.net/manual/en/function.readdir.php + */ + public function dir_readdir() + { + $result = false; + if ($this->objectIterator->valid()) { + $current = $this->objectIterator->current(); + if (isset($current['Prefix'])) { + // Include "directories" + $result = str_replace($this->openedBucketPrefix, '', $current['Prefix']); + $key = "s3://{$this->openedBucket}/{$current['Prefix']}"; + $stat = $this->formatUrlStat($current['Prefix']); + } else { + // Remove the prefix from the result to emulate other stream wrappers + $result = str_replace($this->openedBucketPrefix, '', $current['Key']); + $key = "s3://{$this->openedBucket}/{$current['Key']}"; + $stat = $this->formatUrlStat($current); + } + + // Cache the object data for quick url_stat lookups used with RecursiveDirectoryIterator + self::$nextStat = array($key => $stat); + $this->objectIterator->next(); + } + + return $result; + } + + /** + * Called in response to rename() to rename a file or directory. Currently only supports renaming objects. + * + * @param string $path_from the path to the file to rename + * @param string $path_to the new path to the file + * + * @return bool true if file was successfully renamed + * @link http://www.php.net/manual/en/function.rename.php + */ + public function rename($path_from, $path_to) + { + $partsFrom = $this->getParams($path_from); + $partsTo = $this->getParams($path_to); + $this->clearStatInfo($path_from); + $this->clearStatInfo($path_to); + + if (!$partsFrom['Key'] || !$partsTo['Key']) { + return $this->triggerError('The Amazon S3 stream wrapper only supports copying objects'); + } + + try { + // Copy the object and allow overriding default parameters if desired, but by default copy metadata + self::$client->copyObject($this->getOptions() + array( + 'Bucket' => $partsTo['Bucket'], + 'Key' => $partsTo['Key'], + 'CopySource' => '/' . $partsFrom['Bucket'] . '/' . rawurlencode($partsFrom['Key']), + 'MetadataDirective' => 'COPY' + )); + // Delete the original object + self::$client->deleteObject(array( + 'Bucket' => $partsFrom['Bucket'], + 'Key' => $partsFrom['Key'] + ) + $this->getOptions()); + } catch (\Exception $e) { + return $this->triggerError($e->getMessage()); + } + + return true; + } + + /** + * Cast the stream to return the underlying file resource + * + * @param int $cast_as STREAM_CAST_FOR_SELECT or STREAM_CAST_AS_STREAM + * + * @return resource + */ + public function stream_cast($cast_as) + { + return $this->body->getStream(); + } + + /** + * Get the stream context options available to the current stream + * + * @return array + */ + protected function getOptions() + { + $context = $this->context ?: stream_context_get_default(); + $options = stream_context_get_options($context); + + return isset($options['s3']) ? $options['s3'] : array(); + } + + /** + * Get a specific stream context option + * + * @param string $name Name of the option to retrieve + * + * @return mixed|null + */ + protected function getOption($name) + { + $options = $this->getOptions(); + + return isset($options[$name]) ? $options[$name] : null; + } + + /** + * Get the bucket and key from the passed path (e.g. s3://bucket/key) + * + * @param string $path Path passed to the stream wrapper + * + * @return array Hash of 'Bucket', 'Key', and custom params + */ + protected function getParams($path) + { + $parts = explode('/', substr($path, 5), 2); + + $params = $this->getOptions(); + unset($params['seekable']); + unset($params['throw_exceptions']); + + return array( + 'Bucket' => $parts[0], + 'Key' => isset($parts[1]) ? $parts[1] : null + ) + $params; + } + + /** + * Serialize and sign a command, returning a request object + * + * @param CommandInterface $command Command to sign + * + * @return RequestInterface + */ + protected function getSignedRequest($command) + { + $request = $command->prepare(); + $request->dispatch('request.before_send', array('request' => $request)); + + return $request; + } + + /** + * Initialize the stream wrapper for a read only stream + * + * @param array $params Operation parameters + * @param array $errors Any encountered errors to append to + * + * @return bool + */ + protected function openReadStream(array $params, array &$errors) + { + // Create the command and serialize the request + $request = $this->getSignedRequest(self::$client->getCommand('GetObject', $params)); + // Create a stream that uses the EntityBody object + $factory = $this->getOption('stream_factory') ?: new PhpStreamRequestFactory(); + $this->body = $factory->fromRequest($request, array(), array('stream_class' => 'Guzzle\Http\EntityBody')); + + // Wrap the body in a caching entity body if seeking is allowed + if ($this->getOption('seekable')) { + $this->body = new CachingEntityBody($this->body); + } + + return true; + } + + /** + * Initialize the stream wrapper for a write only stream + * + * @param array $params Operation parameters + * @param array $errors Any encountered errors to append to + * + * @return bool + */ + protected function openWriteStream(array $params, array &$errors) + { + $this->body = new EntityBody(fopen('php://temp', 'r+')); + } + + /** + * Initialize the stream wrapper for an append stream + * + * @param array $params Operation parameters + * @param array $errors Any encountered errors to append to + * + * @return bool + */ + protected function openAppendStream(array $params, array &$errors) + { + try { + // Get the body of the object + $this->body = self::$client->getObject($params)->get('Body'); + $this->body->seek(0, SEEK_END); + } catch (S3Exception $e) { + // The object does not exist, so use a simple write stream + $this->openWriteStream($params, $errors); + } + + return true; + } + + /** + * Trigger one or more errors + * + * @param string|array $errors Errors to trigger + * @param mixed $flags If set to STREAM_URL_STAT_QUIET, then no error or exception occurs + * + * @return bool Returns false + * @throws RuntimeException if throw_errors is true + */ + protected function triggerError($errors, $flags = null) + { + if ($flags != STREAM_URL_STAT_QUIET) { + if ($this->getOption('throw_exceptions')) { + throw new RuntimeException(implode("\n", (array) $errors)); + } else { + trigger_error(implode("\n", (array) $errors), E_USER_WARNING); + } + } + + return false; + } + + /** + * Prepare a url_stat result array + * + * @param string|array $result Data to add + * + * @return array Returns the modified url_stat result + */ + protected function formatUrlStat($result = null) + { + static $statTemplate = array( + 0 => 0, 'dev' => 0, + 1 => 0, 'ino' => 0, + 2 => 0, 'mode' => 0, + 3 => 0, 'nlink' => 0, + 4 => 0, 'uid' => 0, + 5 => 0, 'gid' => 0, + 6 => -1, 'rdev' => -1, + 7 => 0, 'size' => 0, + 8 => 0, 'atime' => 0, + 9 => 0, 'mtime' => 0, + 10 => 0, 'ctime' => 0, + 11 => -1, 'blksize' => -1, + 12 => -1, 'blocks' => -1, + ); + + $stat = $statTemplate; + + // Determine what type of data is being cached + if (!$result || is_string($result)) { + // Directory with 0777 access - see "man 2 stat". + $stat['mode'] = $stat[2] = 0040777; + } elseif (is_array($result) && isset($result['LastModified'])) { + // ListObjects or HeadObject result + $stat['mtime'] = $stat[9] = $stat['ctime'] = $stat[10] = strtotime($result['LastModified']); + $stat['size'] = $stat[7] = (isset($result['ContentLength']) ? $result['ContentLength'] : $result['Size']); + // Regular file with 0777 access - see "man 2 stat". + $stat['mode'] = $stat[2] = 0100777; + } else { + $stat['mode'] = $stat[2] = 0100777; + } + + return $stat; + } + + /** + * Clear the next stat result from the cache + * + * @param string $path If a path is specific, clearstatcache() will be called + */ + protected function clearStatInfo($path = null) + { + self::$nextStat = array(); + if ($path) { + clearstatcache(true, $path); + } + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Aws/S3/Sync/AbstractSync.php b/apps/files_external/3rdparty/aws-sdk-php/Aws/S3/Sync/AbstractSync.php new file mode 100644 index 0000000000..b9a08b5fe1 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Aws/S3/Sync/AbstractSync.php @@ -0,0 +1,129 @@ +options = Collection::fromConfig( + $options, + array('concurrency' => 10), + array('client', 'bucket', 'iterator', 'source_converter') + ); + $this->init(); + } + + public static function getAllEvents() + { + return array(self::BEFORE_TRANSFER, self::AFTER_TRANSFER); + } + + /** + * Begin transferring files + */ + public function transfer() + { + // Pull out chunks of uploads to upload in parallel + $iterator = new ChunkedIterator($this->options['iterator'], $this->options['concurrency']); + foreach ($iterator as $files) { + $this->transferFiles($files); + } + } + + /** + * Create a command or special transfer action for the + * + * @param \SplFileInfo $file File used to build the transfer + * + * @return CommandInterface|callable + */ + abstract protected function createTransferAction(\SplFileInfo $file); + + /** + * Hook to initialize subclasses + * @codeCoverageIgnore + */ + protected function init() {} + + /** + * Process and transfer a group of files + * + * @param array $files Files to transfer + */ + protected function transferFiles(array $files) + { + // Create the base event data object + $event = array('sync' => $this, 'client' => $this->options['client']); + + $commands = array(); + foreach ($files as $file) { + if ($action = $this->createTransferAction($file)) { + $event = array('command' => $action, 'file' => $file) + $event; + $this->dispatch(self::BEFORE_TRANSFER, $event); + if ($action instanceof CommandInterface) { + $commands[] = $action; + } elseif (is_callable($action)) { + $action(); + $this->dispatch(self::AFTER_TRANSFER, $event); + } + } + } + + $this->transferCommands($commands); + } + + /** + * Transfer an array of commands in parallel + * + * @param array $commands Commands to transfer + */ + protected function transferCommands(array $commands) + { + if ($commands) { + $this->options['client']->execute($commands); + // Notify listeners that each command finished + $event = array('sync' => $this, 'client' => $this->options['client']); + foreach ($commands as $command) { + $event['command'] = $command; + $this->dispatch(self::AFTER_TRANSFER, $event); + } + } + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Aws/S3/Sync/AbstractSyncBuilder.php b/apps/files_external/3rdparty/aws-sdk-php/Aws/S3/Sync/AbstractSyncBuilder.php new file mode 100644 index 0000000000..96d01b26c3 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Aws/S3/Sync/AbstractSyncBuilder.php @@ -0,0 +1,421 @@ +bucket = $bucket; + + return $this; + } + + /** + * Set the Amazon S3 client object that will send requests + * + * @param S3Client $client Amazon S3 client + * + * @return self + */ + public function setClient(S3Client $client) + { + $this->client = $client; + + return $this; + } + + /** + * Set a custom iterator that returns \SplFileInfo objects for the source data + * + * @param \Iterator $iterator + * + * @return self + */ + public function setSourceIterator(\Iterator $iterator) + { + $this->sourceIterator = $iterator; + + return $this; + } + + /** + * Set a custom object key provider instead of building one internally + * + * @param FileNameConverterInterface $converter Filename to object key provider + * + * @return self + */ + public function setSourceFilenameConverter(FilenameConverterInterface $converter) + { + $this->sourceConverter = $converter; + + return $this; + } + + /** + * Set a custom object key provider instead of building one internally + * + * @param FileNameConverterInterface $converter Filename to object key provider + * + * @return self + */ + public function setTargetFilenameConverter(FilenameConverterInterface $converter) + { + $this->targetConverter = $converter; + + return $this; + } + + /** + * Set the base directory of the files being transferred. The base directory is removed from each file path before + * converting the file path to an object key or vice versa. + * + * @param string $baseDir Base directory, which will be deleted from each uploaded object key + * + * @return self + */ + public function setBaseDir($baseDir) + { + $this->baseDir = $baseDir; + + return $this; + } + + /** + * Specify a prefix to prepend to each Amazon S3 object key or the prefix where object are stored in a bucket + * + * Can be used to upload files to a pseudo sub-folder key or only download files from a pseudo sub-folder + * + * @param string $keyPrefix Prefix for each uploaded key + * + * @return self + */ + public function setKeyPrefix($keyPrefix) + { + $this->keyPrefix = $keyPrefix; + + return $this; + } + + /** + * Specify the delimiter used for the targeted filesystem (default delimiter is "/") + * + * @param string $delimiter Delimiter to use to separate paths + * + * @return self + */ + public function setDelimiter($delimiter) + { + $this->delimiter = $delimiter; + + return $this; + } + + /** + * Specify an array of operation parameters to apply to each operation executed by the sync object + * + * @param array $params Associative array of PutObject (upload) GetObject (download) parameters + * + * @return self + */ + public function setOperationParams(array $params) + { + $this->params = $params; + + return $this; + } + + /** + * Set the number of files that can be transferred concurrently + * + * @param int $concurrency Number of concurrent transfers + * + * @return self + */ + public function setConcurrency($concurrency) + { + $this->concurrency = $concurrency; + + return $this; + } + + /** + * Set to true to force transfers even if a file already exists and has not changed + * + * @param bool $force Set to true to force transfers without checking if it has changed + * + * @return self + */ + public function force($force = false) + { + $this->forcing = (bool) $force; + + return $this; + } + + /** + * Enable debug mode + * + * @param bool|resource $enabledOrResource Set to true or false to enable or disable debug output. Pass an opened + * fopen resource to write to instead of writing to standard out. + * @return self + */ + public function enableDebugOutput($enabledOrResource = true) + { + $this->debug = $enabledOrResource; + + return $this; + } + + /** + * Add a filename filter that uses a regular expression to filter out files that you do not wish to transfer. + * + * @param string $search Regular expression search (in preg_match format). Any filename that matches this regex + * will not be transferred. + * @return self + */ + public function addRegexFilter($search) + { + $this->assertFileIteratorSet(); + $this->sourceIterator = new FilterIterator($this->sourceIterator, function ($i) use ($search) { + return !preg_match($search, (string) $i); + }); + $this->sourceIterator->rewind(); + + return $this; + } + + /** + * Builds a UploadSync or DownloadSync object + * + * @return AbstractSync + */ + public function build() + { + $this->validateRequirements(); + $this->sourceConverter = $this->sourceConverter ?: $this->getDefaultSourceConverter(); + $this->targetConverter = $this->targetConverter ?: $this->getDefaultTargetConverter(); + + // Only wrap the source iterator in a changed files iterator if we are not forcing the transfers + if (!$this->forcing) { + $this->sourceIterator = new ChangedFilesIterator( + new \NoRewindIterator($this->sourceIterator), + $this->getTargetIterator(), + $this->sourceConverter, + $this->targetConverter + ); + $this->sourceIterator->rewind(); + } + + $sync = $this->specificBuild(); + + if ($this->params) { + $this->addCustomParamListener($sync); + } + + if ($this->debug) { + $this->addDebugListener($sync, is_bool($this->debug) ? STDOUT : $this->debug); + } + + return $sync; + } + + /** + * Hook to implement in subclasses + * + * @return self + */ + abstract protected function specificBuild(); + + /** + * @return \Iterator + */ + abstract protected function getTargetIterator(); + + /** + * @return FilenameConverterInterface + */ + abstract protected function getDefaultSourceConverter(); + + /** + * @return FilenameConverterInterface + */ + abstract protected function getDefaultTargetConverter(); + + /** + * Add a listener to the sync object to output debug information while transferring + * + * @param AbstractSync $sync Sync object to listen to + * @param resource $resource Where to write debug messages + */ + abstract protected function addDebugListener(AbstractSync $sync, $resource); + + /** + * Validate that the builder has the minimal requirements + * + * @throws RuntimeException if the builder is not configured completely + */ + protected function validateRequirements() + { + if (!$this->client) { + throw new RuntimeException('No client was provided'); + } + if (!$this->bucket) { + throw new RuntimeException('No bucket was provided'); + } + $this->assertFileIteratorSet(); + } + + /** + * Ensure that the base file iterator has been provided + * + * @throws RuntimeException + */ + protected function assertFileIteratorSet() + { + // Interesting... Need to use isset because: Object of class GlobIterator could not be converted to boolean + if (!isset($this->sourceIterator)) { + throw new RuntimeException('A source file iterator must be specified'); + } + } + + /** + * Wraps a generated iterator in a filter iterator that removes directories + * + * @param \Iterator $iterator Iterator to wrap + * + * @return \Iterator + * @throws UnexpectedValueException + */ + protected function filterIterator(\Iterator $iterator) + { + $f = new FilterIterator($iterator, function ($i) { + if (!$i instanceof \SplFileInfo) { + throw new UnexpectedValueException('All iterators for UploadSync must return SplFileInfo objects'); + } + return $i->isFile(); + }); + + $f->rewind(); + + return $f; + } + + /** + * Add the custom param listener to a transfer object + * + * @param HasDispatcherInterface $sync + */ + protected function addCustomParamListener(HasDispatcherInterface $sync) + { + $params = $this->params; + $sync->getEventDispatcher()->addListener( + UploadSync::BEFORE_TRANSFER, + function (Event $e) use ($params) { + if ($e['command'] instanceof CommandInterface) { + $e['command']->overwriteWith($params); + } elseif ($e['command'] instanceof TransferInterface) { + // Multipart upload transfer object + foreach ($params as $k => $v) { + $e['command']->setOption($k, $v); + } + } + } + ); + } + + /** + * Create an Amazon S3 file iterator based on the given builder settings + * + * @return OpendirIterator + */ + protected function createS3Iterator() + { + // Ensure that the stream wrapper is registered + $this->client->registerStreamWrapper(); + // Calculate the opendir() bucket and optional key prefix location + // Remove the delimiter as it is not needed for this + $dir = rtrim('s3://' . $this->bucket . ($this->keyPrefix ? ('/' . $this->keyPrefix) : ''), '/'); + // Use opendir so that we can pass stream context to the iterator + $dh = opendir($dir, stream_context_create(array('s3' => array('delimiter' => '')))); + + return $this->filterIterator(new \NoRewindIterator(new OpendirIterator($dh, $dir . '/'))); + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Aws/S3/Sync/ChangedFilesIterator.php b/apps/files_external/3rdparty/aws-sdk-php/Aws/S3/Sync/ChangedFilesIterator.php new file mode 100644 index 0000000000..3cf309df90 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Aws/S3/Sync/ChangedFilesIterator.php @@ -0,0 +1,112 @@ +targetIterator = $targetIterator; + $this->sourceConverter = $sourceConverter; + $this->targetConverter = $targetConverter; + parent::__construct($sourceIterator); + } + + public function accept() + { + $current = $this->current(); + $key = $this->sourceConverter->convert((string) $current); + if (!($data = $this->getTargetData($key))) { + return true; + } + + // Ensure the Content-Length matches and it hasn't been modified since the mtime + return $current->getSize() != $data[0] || $current->getMTime() > $data[1]; + } + + /** + * Returns an array of the files from the target iterator that were not found in the source iterator + * + * @return array + */ + public function getUnmatched() + { + return array_keys($this->cache); + } + + /** + * Get key information from the target iterator for a particular filename + * + * @param string $key Target iterator filename + * + * @return array|bool Returns an array of data, or false if the key is not in the iterator + */ + protected function getTargetData($key) + { + if (isset($this->cache[$key])) { + $result = $this->cache[$key]; + unset($this->cache[$key]); + return $result; + } + + $it = $this->targetIterator; + + while ($it->valid()) { + $value = $it->current(); + $data = array($value->getSize(), $value->getMTime()); + $filename = $this->targetConverter->convert((string) $value); + if ($filename == $key) { + return $data; + } + $this->cache[$filename] = $data; + $it->next(); + } + + return false; + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Aws/S3/Sync/DownloadSync.php b/apps/files_external/3rdparty/aws-sdk-php/Aws/S3/Sync/DownloadSync.php new file mode 100644 index 0000000000..d519f0925f --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Aws/S3/Sync/DownloadSync.php @@ -0,0 +1,99 @@ +getPathname(); + list($bucket, $key) = explode('/', substr($sourceFilename, 5), 2); + $filename = '/' . ltrim($this->options['source_converter']->convert($sourceFilename), '/'); + + $this->createDirectory($filename); + + // Some S3 buckets contains nested files under the same name as a directory + if (is_dir($filename)) { + return false; + } + + // Allow a previously interrupted download to resume + if (file_exists($filename) && $this->options['resumable']) { + return new ResumableDownload($this->options['client'], $bucket, $key, $filename); + } + + return $this->options['client']->getCommand('GetObject', array( + 'Bucket' => $bucket, + 'Key' => $key, + 'SaveAs' => $filename + )); + } + + /** + * @codeCoverageIgnore + */ + protected function createDirectory($filename) + { + $directory = dirname($filename); + // Some S3 clients create empty files to denote directories. Remove these so that we can create the directory. + if (is_file($directory) && filesize($directory) == 0) { + unlink($directory); + } + // Create the directory if it does not exist + if (!is_dir($directory) && !mkdir($directory, 0777, true)) { + $errors = error_get_last(); + throw new RuntimeException('Could not create directory: ' . $directory . ' - ' . $errors['message']); + } + } + + protected function filterCommands(array $commands) + { + // Build a list of all of the directories in each command so that we don't attempt to create an empty dir in + // the same parallel transfer as attempting to create a file in that dir + $dirs = array(); + foreach ($commands as $command) { + $parts = array_values(array_filter(explode('/', $command['SaveAs']))); + for ($i = 0, $total = count($parts); $i < $total; $i++) { + $dir = ''; + for ($j = 0; $j < $i; $j++) { + $dir .= '/' . $parts[$j]; + } + if ($dir && !in_array($dir, $dirs)) { + $dirs[] = $dir; + } + } + } + + return array_filter($commands, function ($command) use ($dirs) { + return !in_array($command['SaveAs'], $dirs); + }); + } + + protected function transferCommands(array $commands) + { + parent::transferCommands($this->filterCommands($commands)); + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Aws/S3/Sync/DownloadSyncBuilder.php b/apps/files_external/3rdparty/aws-sdk-php/Aws/S3/Sync/DownloadSyncBuilder.php new file mode 100644 index 0000000000..285439464e --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Aws/S3/Sync/DownloadSyncBuilder.php @@ -0,0 +1,131 @@ +directory = $directory; + + return $this; + } + + /** + * Call this function to allow partial downloads to be resumed if the download was previously interrupted + * + * @return self + */ + public function allowResumableDownloads() + { + $this->resumable = true; + + return $this; + } + + protected function specificBuild() + { + $sync = new DownloadSync(array( + 'client' => $this->client, + 'bucket' => $this->bucket, + 'iterator' => $this->sourceIterator, + 'source_converter' => $this->sourceConverter, + 'target_converter' => $this->targetConverter, + 'concurrency' => $this->concurrency, + 'resumable' => $this->resumable, + 'directory' => $this->directory + )); + + return $sync; + } + + protected function getTargetIterator() + { + if (!$this->directory) { + throw new RuntimeException('A directory is required'); + } + + if (!is_dir($this->directory) && !mkdir($this->directory, 0777, true)) { + // @codeCoverageIgnoreStart + throw new RuntimeException('Unable to create root download directory: ' . $this->directory); + // @codeCoverageIgnoreEnd + } + + return $this->filterIterator( + new \RecursiveIteratorIterator(new \RecursiveDirectoryIterator($this->directory)) + ); + } + + protected function getDefaultSourceConverter() + { + return new KeyConverter( + "s3://{$this->bucket}/{$this->baseDir}", + $this->directory . DIRECTORY_SEPARATOR, $this->delimiter + ); + } + + protected function getDefaultTargetConverter() + { + return new KeyConverter("s3://{$this->bucket}/{$this->baseDir}", '', $this->delimiter); + } + + protected function assertFileIteratorSet() + { + $this->sourceIterator = $this->sourceIterator ?: $this->createS3Iterator(); + } + + protected function addDebugListener(AbstractSync $sync, $resource) + { + $sync->getEventDispatcher()->addListener(UploadSync::BEFORE_TRANSFER, function (Event $e) use ($resource) { + if ($e['command'] instanceof CommandInterface) { + $from = $e['command']['Bucket'] . '/' . $e['command']['Key']; + $to = $e['command']['SaveAs'] instanceof EntityBodyInterface + ? $e['command']['SaveAs']->getUri() + : $e['command']['SaveAs']; + fwrite($resource, "Downloading {$from} -> {$to}\n"); + } elseif ($e['command'] instanceof ResumableDownload) { + $from = $e['command']->getBucket() . '/' . $e['command']->getKey(); + $to = $e['command']->getFilename(); + fwrite($resource, "Resuming {$from} -> {$to}\n"); + } + }); + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Aws/S3/Sync/FilenameConverterInterface.php b/apps/files_external/3rdparty/aws-sdk-php/Aws/S3/Sync/FilenameConverterInterface.php new file mode 100644 index 0000000000..ded2cfb465 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Aws/S3/Sync/FilenameConverterInterface.php @@ -0,0 +1,32 @@ +baseDir = $baseDir; + $this->prefix = $prefix; + $this->delimiter = $delimiter; + } + + public function convert($filename) + { + // Remove base directory from the key + $key = str_replace($this->baseDir, '', $filename); + // Replace Windows directory separators to become Unix style, and convert that to the custom dir separator + $key = str_replace('/', $this->delimiter, str_replace('\\', '/', $key)); + // Add the key prefix and remove double slashes + $key = str_replace($this->delimiter . $this->delimiter, $this->delimiter, $this->prefix . $key); + + return ltrim($key, $this->delimiter); + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Aws/S3/Sync/UploadSync.php b/apps/files_external/3rdparty/aws-sdk-php/Aws/S3/Sync/UploadSync.php new file mode 100644 index 0000000000..57f979fd48 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Aws/S3/Sync/UploadSync.php @@ -0,0 +1,78 @@ +options['multipart_upload_size']) { + $this->options['multipart_upload_size'] = AbstractTransfer::MIN_PART_SIZE; + } + } + + protected function createTransferAction(\SplFileInfo $file) + { + // Open the file for reading + $filename = $file->getPathName(); + if (!($resource = fopen($filename, 'r'))) { + // @codeCoverageIgnoreStart + throw new RuntimeException("Could not open {$filename} for reading"); + // @codeCoverageIgnoreEnd + } + + $key = $this->options['source_converter']->convert($filename); + $body = EntityBody::factory($resource); + + // Determine how the ACL should be applied + if ($acl = $this->options['acl']) { + $aclType = is_string($this->options['acl']) ? 'ACL' : 'ACP'; + } else { + $acl = 'private'; + $aclType = 'ACL'; + } + + // Use a multi-part upload if the file is larger than the cutoff size and is a regular file + if ($body->getWrapper() == 'plainfile' && $file->getSize() >= $this->options['multipart_upload_size']) { + return UploadBuilder::newInstance() + ->setBucket($this->options['bucket']) + ->setKey($key) + ->setMinPartSize($this->options['multipart_upload_size']) + ->setOption($aclType, $acl) + ->setClient($this->options['client']) + ->setSource($body) + ->setConcurrency($this->options['concurrency']) + ->build(); + } + + return $this->options['client']->getCommand('PutObject', array( + 'Bucket' => $this->options['bucket'], + 'Key' => $key, + 'Body' => $body, + $aclType => $acl + )); + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Aws/S3/Sync/UploadSyncBuilder.php b/apps/files_external/3rdparty/aws-sdk-php/Aws/S3/Sync/UploadSyncBuilder.php new file mode 100644 index 0000000000..e6b2cb06b8 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Aws/S3/Sync/UploadSyncBuilder.php @@ -0,0 +1,175 @@ +baseDir = $path; + $this->sourceIterator = $this->filterIterator(new \RecursiveIteratorIterator(new \RecursiveDirectoryIterator( + $path, + FI::SKIP_DOTS | FI::UNIX_PATHS | FI::FOLLOW_SYMLINKS + ))); + + return $this; + } + + /** + * Set a glob expression that will match files to upload to Amazon S3 + * + * @param string $glob Glob expression + * + * @return self + * @link http://www.php.net/manual/en/function.glob.php + */ + public function uploadFromGlob($glob) + { + $this->sourceIterator = $this->filterIterator( + new \GlobIterator($glob, FI::SKIP_DOTS | FI::UNIX_PATHS | FI::FOLLOW_SYMLINKS) + ); + + return $this; + } + + /** + * Set a canned ACL to apply to each uploaded object + * + * @param string $acl Canned ACL for each upload + * + * @return self + */ + public function setAcl($acl) + { + $this->acp = $acl; + + return $this; + } + + /** + * Set an Access Control Policy to apply to each uploaded object + * + * @param Acp $acp Access control policy + * + * @return self + */ + public function setAcp(Acp $acp) + { + $this->acp = $acp; + + return $this; + } + + /** + * Set the multipart upload size threshold. When the size of a file exceeds this value, the file will be uploaded + * using a multipart upload. + * + * @param int $size Size threshold + * + * @return self + */ + public function setMultipartUploadSize($size) + { + $this->multipartUploadSize = $size; + + return $this; + } + + protected function specificBuild() + { + $sync = new UploadSync(array( + 'client' => $this->client, + 'bucket' => $this->bucket, + 'iterator' => $this->sourceIterator, + 'source_converter' => $this->sourceConverter, + 'target_converter' => $this->targetConverter, + 'concurrency' => $this->concurrency, + 'multipart_upload_size' => $this->multipartUploadSize, + 'acl' => $this->acp + )); + + return $sync; + } + + protected function getTargetIterator() + { + return $this->createS3Iterator(); + } + + protected function getDefaultSourceConverter() + { + return new KeyConverter($this->baseDir, $this->keyPrefix . $this->delimiter, $this->delimiter); + } + + protected function getDefaultTargetConverter() + { + return new KeyConverter('s3://' . $this->bucket . '/', '', DIRECTORY_SEPARATOR); + } + + protected function addDebugListener(AbstractSync $sync, $resource) + { + $sync->getEventDispatcher()->addListener(UploadSync::BEFORE_TRANSFER, function (Event $e) use ($resource) { + + $c = $e['command']; + + if ($c instanceof CommandInterface) { + $uri = $c['Body']->getUri(); + $size = $c['Body']->getSize(); + fwrite($resource, "Uploading {$uri} -> {$c['Key']} ({$size} bytes)\n"); + return; + } + + // Multipart upload + $body = $c->getSource(); + $totalSize = $body->getSize(); + $progress = 0; + fwrite($resource, "Beginning multipart upload: " . $body->getUri() . ' -> '); + fwrite($resource, $c->getState()->getFromId('Key') . " ({$totalSize} bytes)\n"); + + $c->getEventDispatcher()->addListener( + AbstractTransfer::BEFORE_PART_UPLOAD, + function ($e) use (&$progress, $totalSize, $resource) { + $command = $e['command']; + $size = $command['Body']->getContentLength(); + $percentage = number_format(($progress / $totalSize) * 100, 2); + fwrite($resource, "- Part {$command['PartNumber']} ({$size} bytes, {$percentage}%)\n"); + $progress .= $size; + } + ); + }); + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Doctrine/Common/Cache/ApcCache.php b/apps/files_external/3rdparty/aws-sdk-php/Doctrine/Common/Cache/ApcCache.php new file mode 100644 index 0000000000..2d0cd23afd --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Doctrine/Common/Cache/ApcCache.php @@ -0,0 +1,93 @@ +. + */ + +namespace Doctrine\Common\Cache; + +/** + * APC cache provider. + * + * @license http://www.opensource.org/licenses/lgpl-license.php LGPL + * @link www.doctrine-project.org + * @since 2.0 + * @author Benjamin Eberlei + * @author Guilherme Blanco + * @author Jonathan Wage + * @author Roman Borschel + * @author David Abdemoulaie + */ +class ApcCache extends CacheProvider +{ + /** + * {@inheritdoc} + */ + protected function doFetch($id) + { + return apc_fetch($id); + } + + /** + * {@inheritdoc} + */ + protected function doContains($id) + { + return apc_exists($id); + } + + /** + * {@inheritdoc} + */ + protected function doSave($id, $data, $lifeTime = 0) + { + return (bool) apc_store($id, $data, (int) $lifeTime); + } + + /** + * {@inheritdoc} + */ + protected function doDelete($id) + { + return apc_delete($id); + } + + /** + * {@inheritdoc} + */ + protected function doFlush() + { + return apc_clear_cache() && apc_clear_cache('user'); + } + + /** + * {@inheritdoc} + */ + protected function doGetStats() + { + $info = apc_cache_info(); + $sma = apc_sma_info(); + + return array( + Cache::STATS_HITS => $info['num_hits'], + Cache::STATS_MISSES => $info['num_misses'], + Cache::STATS_UPTIME => $info['start_time'], + Cache::STATS_MEMORY_USAGE => $info['mem_size'], + Cache::STATS_MEMORY_AVAILIABLE => $sma['avail_mem'], + ); + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Doctrine/Common/Cache/ArrayCache.php b/apps/files_external/3rdparty/aws-sdk-php/Doctrine/Common/Cache/ArrayCache.php new file mode 100644 index 0000000000..a7a70aad51 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Doctrine/Common/Cache/ArrayCache.php @@ -0,0 +1,96 @@ +. + */ + +namespace Doctrine\Common\Cache; + +/** + * Array cache driver. + * + * @license http://www.opensource.org/licenses/lgpl-license.php LGPL + * @link www.doctrine-project.org + * @since 2.0 + * @author Benjamin Eberlei + * @author Guilherme Blanco + * @author Jonathan Wage + * @author Roman Borschel + * @author David Abdemoulaie + */ +class ArrayCache extends CacheProvider +{ + /** + * @var array $data + */ + private $data = array(); + + /** + * {@inheritdoc} + */ + protected function doFetch($id) + { + return (isset($this->data[$id])) ? $this->data[$id] : false; + } + + /** + * {@inheritdoc} + */ + protected function doContains($id) + { + return isset($this->data[$id]); + } + + /** + * {@inheritdoc} + */ + protected function doSave($id, $data, $lifeTime = 0) + { + $this->data[$id] = $data; + + return true; + } + + /** + * {@inheritdoc} + */ + protected function doDelete($id) + { + unset($this->data[$id]); + + return true; + } + + /** + * {@inheritdoc} + */ + protected function doFlush() + { + $this->data = array(); + + return true; + } + + /** + * {@inheritdoc} + */ + protected function doGetStats() + { + return null; + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Doctrine/Common/Cache/Cache.php b/apps/files_external/3rdparty/aws-sdk-php/Doctrine/Common/Cache/Cache.php new file mode 100644 index 0000000000..d4e86f4739 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Doctrine/Common/Cache/Cache.php @@ -0,0 +1,102 @@ +. + */ + +namespace Doctrine\Common\Cache; + +/** + * Interface for cache drivers. + * + * @license http://www.opensource.org/licenses/lgpl-license.php LGPL + * @link www.doctrine-project.org + * @since 2.0 + * @author Benjamin Eberlei + * @author Guilherme Blanco + * @author Jonathan Wage + * @author Roman Borschel + * @author Fabio B. Silva + */ +interface Cache +{ + const STATS_HITS = 'hits'; + const STATS_MISSES = 'misses'; + const STATS_UPTIME = 'uptime'; + const STATS_MEMORY_USAGE = 'memory_usage'; + const STATS_MEMORY_AVAILIABLE = 'memory_available'; + + /** + * Fetches an entry from the cache. + * + * @param string $id cache id The id of the cache entry to fetch. + * @return mixed The cached data or FALSE, if no cache entry exists for the given id. + */ + function fetch($id); + + /** + * Test if an entry exists in the cache. + * + * @param string $id cache id The cache id of the entry to check for. + * @return boolean TRUE if a cache entry exists for the given cache id, FALSE otherwise. + */ + function contains($id); + + /** + * Puts data into the cache. + * + * @param string $id The cache id. + * @param mixed $data The cache entry/data. + * @param int $lifeTime The lifetime. If != 0, sets a specific lifetime for this cache entry (0 => infinite lifeTime). + * @return boolean TRUE if the entry was successfully stored in the cache, FALSE otherwise. + */ + function save($id, $data, $lifeTime = 0); + + /** + * Deletes a cache entry. + * + * @param string $id cache id + * @return boolean TRUE if the cache entry was successfully deleted, FALSE otherwise. + */ + function delete($id); + + /** + * Retrieves cached information from data store + * + * The server's statistics array has the following values: + * + * - hits + * Number of keys that have been requested and found present. + * + * - misses + * Number of items that have been requested and not found. + * + * - uptime + * Time that the server is running. + * + * - memory_usage + * Memory used by this server to store items. + * + * - memory_available + * Memory allowed to use for storage. + * + * @since 2.2 + * @return array Associative array with server's statistics if available, NULL otherwise. + */ + function getStats(); +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Doctrine/Common/Cache/CacheProvider.php b/apps/files_external/3rdparty/aws-sdk-php/Doctrine/Common/Cache/CacheProvider.php new file mode 100644 index 0000000000..4221a62e59 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Doctrine/Common/Cache/CacheProvider.php @@ -0,0 +1,231 @@ +. + */ + +namespace Doctrine\Common\Cache; + +/** + * Base class for cache provider implementations. + * + * @since 2.2 + * @author Benjamin Eberlei + * @author Guilherme Blanco + * @author Jonathan Wage + * @author Roman Borschel + * @author Fabio B. Silva + */ +abstract class CacheProvider implements Cache +{ + const DOCTRINE_NAMESPACE_CACHEKEY = 'DoctrineNamespaceCacheKey[%s]'; + + /** + * @var string The namespace to prefix all cache ids with + */ + private $namespace = ''; + + /** + * @var string The namespace version + */ + private $namespaceVersion; + + /** + * Set the namespace to prefix all cache ids with. + * + * @param string $namespace + * @return void + */ + public function setNamespace($namespace) + { + $this->namespace = (string) $namespace; + } + + /** + * Retrieve the namespace that prefixes all cache ids. + * + * @return string + */ + public function getNamespace() + { + return $this->namespace; + } + + /** + * {@inheritdoc} + */ + public function fetch($id) + { + return $this->doFetch($this->getNamespacedId($id)); + } + + /** + * {@inheritdoc} + */ + public function contains($id) + { + return $this->doContains($this->getNamespacedId($id)); + } + + /** + * {@inheritdoc} + */ + public function save($id, $data, $lifeTime = 0) + { + return $this->doSave($this->getNamespacedId($id), $data, $lifeTime); + } + + /** + * {@inheritdoc} + */ + public function delete($id) + { + return $this->doDelete($this->getNamespacedId($id)); + } + + /** + * {@inheritdoc} + */ + public function getStats() + { + return $this->doGetStats(); + } + + /** + * Deletes all cache entries. + * + * @return boolean TRUE if the cache entries were successfully flushed, FALSE otherwise. + */ + public function flushAll() + { + return $this->doFlush(); + } + + /** + * Delete all cache entries. + * + * @return boolean TRUE if the cache entries were successfully deleted, FALSE otherwise. + */ + public function deleteAll() + { + $namespaceCacheKey = $this->getNamespaceCacheKey(); + $namespaceVersion = $this->getNamespaceVersion() + 1; + + $this->namespaceVersion = $namespaceVersion; + + return $this->doSave($namespaceCacheKey, $namespaceVersion); + } + + /** + * Prefix the passed id with the configured namespace value + * + * @param string $id The id to namespace + * @return string $id The namespaced id + */ + private function getNamespacedId($id) + { + $namespaceVersion = $this->getNamespaceVersion(); + + return sprintf('%s[%s][%s]', $this->namespace, $id, $namespaceVersion); + } + + /** + * Namespace cache key + * + * @return string $namespaceCacheKey + */ + private function getNamespaceCacheKey() + { + return sprintf(self::DOCTRINE_NAMESPACE_CACHEKEY, $this->namespace); + } + + /** + * Namespace version + * + * @return string $namespaceVersion + */ + private function getNamespaceVersion() + { + if (null !== $this->namespaceVersion) { + return $this->namespaceVersion; + } + + $namespaceCacheKey = $this->getNamespaceCacheKey(); + $namespaceVersion = $this->doFetch($namespaceCacheKey); + + if (false === $namespaceVersion) { + $namespaceVersion = 1; + + $this->doSave($namespaceCacheKey, $namespaceVersion); + } + + $this->namespaceVersion = $namespaceVersion; + + return $this->namespaceVersion; + } + + /** + * Fetches an entry from the cache. + * + * @param string $id cache id The id of the cache entry to fetch. + * @return string The cached data or FALSE, if no cache entry exists for the given id. + */ + abstract protected function doFetch($id); + + /** + * Test if an entry exists in the cache. + * + * @param string $id cache id The cache id of the entry to check for. + * @return boolean TRUE if a cache entry exists for the given cache id, FALSE otherwise. + */ + abstract protected function doContains($id); + + /** + * Puts data into the cache. + * + * @param string $id The cache id. + * @param string $data The cache entry/data. + * @param bool|int $lifeTime The lifetime. If != false, sets a specific lifetime for this + * cache entry (null => infinite lifeTime). + * + * @return boolean TRUE if the entry was successfully stored in the cache, FALSE otherwise. + */ + abstract protected function doSave($id, $data, $lifeTime = false); + + /** + * Deletes a cache entry. + * + * @param string $id cache id + * @return boolean TRUE if the cache entry was successfully deleted, FALSE otherwise. + */ + abstract protected function doDelete($id); + + /** + * Deletes all cache entries. + * + * @return boolean TRUE if the cache entry was successfully deleted, FALSE otherwise. + */ + abstract protected function doFlush(); + + /** + * Retrieves cached information from data store + * + * @since 2.2 + * @return array An associative array with server's statistics if available, NULL otherwise. + */ + abstract protected function doGetStats(); +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Doctrine/Common/Cache/CouchbaseCache.php b/apps/files_external/3rdparty/aws-sdk-php/Doctrine/Common/Cache/CouchbaseCache.php new file mode 100644 index 0000000000..f0e5f9072a --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Doctrine/Common/Cache/CouchbaseCache.php @@ -0,0 +1,123 @@ +. + */ + +namespace Doctrine\Common\Cache; + +use \Couchbase; + +/** + * Couchbase cache provider. + * + * @license http://www.opensource.org/licenses/lgpl-license.php LGPL + * @link www.doctrine-project.org + * @since 2.4 + * @author Michael Nitschinger + */ +class CouchbaseCache extends CacheProvider +{ + + /** + * @var Couchbase + */ + private $couchbase; + + /** + * Sets the Couchbase instance to use. + * + * @param Couchbase $couchbase + */ + public function setCouchbase(Couchbase $couchbase) + { + $this->couchbase = $couchbase; + } + + /** + * Gets the Couchbase instance used by the cache. + * + * @return Couchbase + */ + public function getCouchbase() + { + return $this->couchbase; + } + + /** + * {@inheritdoc} + */ + protected function doFetch($id) + { + return $this->couchbase->get($id) ?: false; + } + + /** + * {@inheritdoc} + */ + protected function doContains($id) + { + return (null !== $this->couchbase->get($id)); + } + + /** + * {@inheritdoc} + */ + protected function doSave($id, $data, $lifeTime = 0) + { + if ($lifeTime > 30 * 24 * 3600) { + $lifeTime = time() + $lifeTime; + } + return $this->couchbase->set($id, $data, (int) $lifeTime); + } + + /** + * {@inheritdoc} + */ + protected function doDelete($id) + { + return $this->couchbase->delete($id); + } + + /** + * {@inheritdoc} + */ + protected function doFlush() + { + return $this->couchbase->flush(); + } + + /** + * {@inheritdoc} + */ + protected function doGetStats() + { + $stats = $this->couchbase->getStats(); + $servers = $this->couchbase->getServers(); + $server = explode(":", $servers[0]); + $key = $server[0] . ":" . "11210"; + $stats = $stats[$key]; + return array( + Cache::STATS_HITS => $stats['get_hits'], + Cache::STATS_MISSES => $stats['get_misses'], + Cache::STATS_UPTIME => $stats['uptime'], + Cache::STATS_MEMORY_USAGE => $stats['bytes'], + Cache::STATS_MEMORY_AVAILIABLE => $stats['limit_maxbytes'], + ); + } + +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Doctrine/Common/Cache/FileCache.php b/apps/files_external/3rdparty/aws-sdk-php/Doctrine/Common/Cache/FileCache.php new file mode 100644 index 0000000000..da650b4c6e --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Doctrine/Common/Cache/FileCache.php @@ -0,0 +1,132 @@ +. + */ + +namespace Doctrine\Common\Cache; + +/** + * Base file cache driver. + * + * @since 2.3 + * @author Fabio B. Silva + */ +abstract class FileCache extends CacheProvider +{ + /** + * @var string Cache directory. + */ + protected $directory; + + /** + * @var string Cache file extension. + */ + protected $extension; + + /** + * Constructor + * + * @param string $directory Cache directory. + * @param string $directory Cache file extension. + * + * @throws \InvalidArgumentException + */ + public function __construct($directory, $extension = null) + { + if ( ! is_dir($directory) && ! @mkdir($directory, 0777, true)) { + throw new \InvalidArgumentException(sprintf( + 'The directory "%s" does not exist and could not be created.', + $directory + )); + } + + if ( ! is_writable($directory)) { + throw new \InvalidArgumentException(sprintf( + 'The directory "%s" is not writable.', + $directory + )); + } + + $this->directory = realpath($directory); + $this->extension = $extension ?: $this->extension; + } + + /** + * Gets the cache directory. + * + * @return string + */ + public function getDirectory() + { + return $this->directory; + } + + /** + * Gets the cache file extension. + * + * @return string + */ + public function getExtension() + { + return $this->extension; + } + + /** + * @return string + */ + protected function getFilename($id) + { + $path = implode(str_split(md5($id), 12), DIRECTORY_SEPARATOR); + $path = $this->directory . DIRECTORY_SEPARATOR . $path; + + return $path . DIRECTORY_SEPARATOR . $id . $this->extension; + } + + /** + * {@inheritdoc} + */ + protected function doDelete($id) + { + return @unlink($this->getFilename($id)); + } + + /** + * {@inheritdoc} + */ + protected function doFlush() + { + $pattern = '/^.+\\' . $this->extension . '$/i'; + $iterator = new \RecursiveDirectoryIterator($this->directory); + $iterator = new \RecursiveIteratorIterator($iterator); + $iterator = new \RegexIterator($iterator, $pattern); + + foreach ($iterator as $name => $file) { + @unlink($name); + } + + return true; + } + + /** + * {@inheritdoc} + */ + protected function doGetStats() + { + return null; + } +} \ No newline at end of file diff --git a/apps/files_external/3rdparty/aws-sdk-php/Doctrine/Common/Cache/FilesystemCache.php b/apps/files_external/3rdparty/aws-sdk-php/Doctrine/Common/Cache/FilesystemCache.php new file mode 100644 index 0000000000..a431438e2f --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Doctrine/Common/Cache/FilesystemCache.php @@ -0,0 +1,114 @@ +. + */ + +namespace Doctrine\Common\Cache; + +/** + * Filesystem cache driver. + * + * @since 2.3 + * @author Fabio B. Silva + */ +class FilesystemCache extends FileCache +{ + const EXTENSION = '.doctrinecache.data'; + + /** + * {@inheritdoc} + */ + protected $extension = self::EXTENSION; + + /** + * {@inheritdoc} + */ + protected function doFetch($id) + { + $data = ''; + $lifetime = -1; + $filename = $this->getFilename($id); + + if ( ! is_file($filename)) { + return false; + } + + $resource = fopen($filename, "r"); + + if (false !== ($line = fgets($resource))) { + $lifetime = (integer) $line; + } + + if ($lifetime !== 0 && $lifetime < time()) { + fclose($resource); + + return false; + } + + while (false !== ($line = fgets($resource))) { + $data .= $line; + } + + fclose($resource); + + return unserialize($data); + } + + /** + * {@inheritdoc} + */ + protected function doContains($id) + { + $lifetime = -1; + $filename = $this->getFilename($id); + + if ( ! is_file($filename)) { + return false; + } + + $resource = fopen($filename, "r"); + + if (false !== ($line = fgets($resource))) { + $lifetime = (integer) $line; + } + + fclose($resource); + + return $lifetime === 0 || $lifetime > time(); + } + + /** + * {@inheritdoc} + */ + protected function doSave($id, $data, $lifeTime = 0) + { + if ($lifeTime > 0) { + $lifeTime = time() + $lifeTime; + } + + $data = serialize($data); + $filename = $this->getFilename($id); + $filepath = pathinfo($filename, PATHINFO_DIRNAME); + + if ( ! is_dir($filepath)) { + mkdir($filepath, 0777, true); + } + + return file_put_contents($filename, $lifeTime . PHP_EOL . $data); + } +} \ No newline at end of file diff --git a/apps/files_external/3rdparty/aws-sdk-php/Doctrine/Common/Cache/MemcacheCache.php b/apps/files_external/3rdparty/aws-sdk-php/Doctrine/Common/Cache/MemcacheCache.php new file mode 100644 index 0000000000..5687b965f1 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Doctrine/Common/Cache/MemcacheCache.php @@ -0,0 +1,121 @@ +. + */ + +namespace Doctrine\Common\Cache; + +use \Memcache; + +/** + * Memcache cache provider. + * + * @license http://www.opensource.org/licenses/lgpl-license.php LGPL + * @link www.doctrine-project.org + * @since 2.0 + * @author Benjamin Eberlei + * @author Guilherme Blanco + * @author Jonathan Wage + * @author Roman Borschel + * @author David Abdemoulaie + */ +class MemcacheCache extends CacheProvider +{ + /** + * @var Memcache + */ + private $memcache; + + /** + * Sets the memcache instance to use. + * + * @param Memcache $memcache + */ + public function setMemcache(Memcache $memcache) + { + $this->memcache = $memcache; + } + + /** + * Gets the memcache instance used by the cache. + * + * @return Memcache + */ + public function getMemcache() + { + return $this->memcache; + } + + /** + * {@inheritdoc} + */ + protected function doFetch($id) + { + return $this->memcache->get($id); + } + + /** + * {@inheritdoc} + */ + protected function doContains($id) + { + return (bool) $this->memcache->get($id); + } + + /** + * {@inheritdoc} + */ + protected function doSave($id, $data, $lifeTime = 0) + { + if ($lifeTime > 30 * 24 * 3600) { + $lifeTime = time() + $lifeTime; + } + return $this->memcache->set($id, $data, 0, (int) $lifeTime); + } + + /** + * {@inheritdoc} + */ + protected function doDelete($id) + { + return $this->memcache->delete($id); + } + + /** + * {@inheritdoc} + */ + protected function doFlush() + { + return $this->memcache->flush(); + } + + /** + * {@inheritdoc} + */ + protected function doGetStats() + { + $stats = $this->memcache->getStats(); + return array( + Cache::STATS_HITS => $stats['get_hits'], + Cache::STATS_MISSES => $stats['get_misses'], + Cache::STATS_UPTIME => $stats['uptime'], + Cache::STATS_MEMORY_USAGE => $stats['bytes'], + Cache::STATS_MEMORY_AVAILIABLE => $stats['limit_maxbytes'], + ); + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Doctrine/Common/Cache/MemcachedCache.php b/apps/files_external/3rdparty/aws-sdk-php/Doctrine/Common/Cache/MemcachedCache.php new file mode 100644 index 0000000000..75f1345550 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Doctrine/Common/Cache/MemcachedCache.php @@ -0,0 +1,124 @@ +. + */ + +namespace Doctrine\Common\Cache; + +use \Memcached; + +/** + * Memcached cache provider. + * + * @license http://www.opensource.org/licenses/lgpl-license.php LGPL + * @link www.doctrine-project.org + * @since 2.2 + * @author Benjamin Eberlei + * @author Guilherme Blanco + * @author Jonathan Wage + * @author Roman Borschel + * @author David Abdemoulaie + */ +class MemcachedCache extends CacheProvider +{ + /** + * @var Memcached + */ + private $memcached; + + /** + * Sets the memcache instance to use. + * + * @param Memcached $memcached + */ + public function setMemcached(Memcached $memcached) + { + $this->memcached = $memcached; + } + + /** + * Gets the memcached instance used by the cache. + * + * @return Memcached + */ + public function getMemcached() + { + return $this->memcached; + } + + /** + * {@inheritdoc} + */ + protected function doFetch($id) + { + return $this->memcached->get($id); + } + + /** + * {@inheritdoc} + */ + protected function doContains($id) + { + return (false !== $this->memcached->get($id)); + } + + /** + * {@inheritdoc} + */ + protected function doSave($id, $data, $lifeTime = 0) + { + if ($lifeTime > 30 * 24 * 3600) { + $lifeTime = time() + $lifeTime; + } + return $this->memcached->set($id, $data, (int) $lifeTime); + } + + /** + * {@inheritdoc} + */ + protected function doDelete($id) + { + return $this->memcached->delete($id); + } + + /** + * {@inheritdoc} + */ + protected function doFlush() + { + return $this->memcached->flush(); + } + + /** + * {@inheritdoc} + */ + protected function doGetStats() + { + $stats = $this->memcached->getStats(); + $servers = $this->memcached->getServerList(); + $key = $servers[0]['host'] . ':' . $servers[0]['port']; + $stats = $stats[$key]; + return array( + Cache::STATS_HITS => $stats['get_hits'], + Cache::STATS_MISSES => $stats['get_misses'], + Cache::STATS_UPTIME => $stats['uptime'], + Cache::STATS_MEMORY_USAGE => $stats['bytes'], + Cache::STATS_MEMORY_AVAILIABLE => $stats['limit_maxbytes'], + ); + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Doctrine/Common/Cache/PhpFileCache.php b/apps/files_external/3rdparty/aws-sdk-php/Doctrine/Common/Cache/PhpFileCache.php new file mode 100644 index 0000000000..1d69d3d660 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Doctrine/Common/Cache/PhpFileCache.php @@ -0,0 +1,108 @@ +. + */ + +namespace Doctrine\Common\Cache; + +/** + * Php file cache driver. + * + * @since 2.3 + * @author Fabio B. Silva + */ +class PhpFileCache extends FileCache +{ + const EXTENSION = '.doctrinecache.php'; + + /** + * {@inheritdoc} + */ + protected $extension = self::EXTENSION; + + /** + * {@inheritdoc} + */ + protected function doFetch($id) + { + $filename = $this->getFilename($id); + + if ( ! is_file($filename)) { + return false; + } + + $value = include $filename; + + if ($value['lifetime'] !== 0 && $value['lifetime'] < time()) { + return false; + } + + return $value['data']; + } + + /** + * {@inheritdoc} + */ + protected function doContains($id) + { + $filename = $this->getFilename($id); + + if ( ! is_file($filename)) { + return false; + } + + $value = include $filename; + + return $value['lifetime'] === 0 || $value['lifetime'] > time(); + } + + /** + * {@inheritdoc} + */ + protected function doSave($id, $data, $lifeTime = 0) + { + if ($lifeTime > 0) { + $lifeTime = time() + $lifeTime; + } + + if (is_object($data) && ! method_exists($data, '__set_state')) { + throw new \InvalidArgumentException( + "Invalid argument given, PhpFileCache only allows objects that implement __set_state() " . + "and fully support var_export(). You can use the FilesystemCache to save arbitrary object " . + "graphs using serialize()/deserialize()." + ); + } + + $filename = $this->getFilename($id); + $filepath = pathinfo($filename, PATHINFO_DIRNAME); + + if ( ! is_dir($filepath)) { + mkdir($filepath, 0777, true); + } + + $value = array( + 'lifetime' => $lifeTime, + 'data' => $data + ); + + $value = var_export($value, true); + $code = sprintf('. + */ + +namespace Doctrine\Common\Cache; + +use Redis; + +/** + * Redis cache provider. + * + * @license http://www.opensource.org/licenses/lgpl-license.php LGPL + * @link www.doctrine-project.org + * @since 2.2 + * @author Osman Ungur + */ +class RedisCache extends CacheProvider +{ + /** + * @var Redis + */ + private $redis; + + /** + * Sets the redis instance to use. + * + * @param Redis $redis + */ + public function setRedis(Redis $redis) + { + $redis->setOption(Redis::OPT_SERIALIZER, Redis::SERIALIZER_IGBINARY); + $this->redis = $redis; + } + + /** + * Gets the redis instance used by the cache. + * + * @return Redis + */ + public function getRedis() + { + return $this->redis; + } + + /** + * {@inheritdoc} + */ + protected function doFetch($id) + { + return $this->redis->get($id); + } + + /** + * {@inheritdoc} + */ + protected function doContains($id) + { + return $this->redis->exists($id); + } + + /** + * {@inheritdoc} + */ + protected function doSave($id, $data, $lifeTime = 0) + { + $result = $this->redis->set($id, $data); + if ($lifeTime > 0) { + $this->redis->expire($id, $lifeTime); + } + return $result; + } + + /** + * {@inheritdoc} + */ + protected function doDelete($id) + { + return $this->redis->delete($id); + } + + /** + * {@inheritdoc} + */ + protected function doFlush() + { + return $this->redis->flushDB(); + } + + /** + * {@inheritdoc} + */ + protected function doGetStats() + { + $info = $this->redis->info(); + return array( + Cache::STATS_HITS => false, + Cache::STATS_MISSES => false, + Cache::STATS_UPTIME => $info['uptime_in_seconds'], + Cache::STATS_MEMORY_USAGE => $info['used_memory'], + Cache::STATS_MEMORY_AVAILIABLE => false + ); + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Doctrine/Common/Cache/WinCacheCache.php b/apps/files_external/3rdparty/aws-sdk-php/Doctrine/Common/Cache/WinCacheCache.php new file mode 100644 index 0000000000..777d0fd535 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Doctrine/Common/Cache/WinCacheCache.php @@ -0,0 +1,93 @@ +. + */ + +namespace Doctrine\Common\Cache; + +/** + * WinCache cache provider. + * + * @license http://www.opensource.org/licenses/lgpl-license.php LGPL + * @link www.doctrine-project.org + * @since 2.2 + * @author Benjamin Eberlei + * @author Guilherme Blanco + * @author Jonathan Wage + * @author Roman Borschel + * @author David Abdemoulaie + */ +class WinCacheCache extends CacheProvider +{ + /** + * {@inheritdoc} + */ + protected function doFetch($id) + { + return wincache_ucache_get($id); + } + + /** + * {@inheritdoc} + */ + protected function doContains($id) + { + return wincache_ucache_exists($id); + } + + /** + * {@inheritdoc} + */ + protected function doSave($id, $data, $lifeTime = 0) + { + return (bool) wincache_ucache_set($id, $data, (int) $lifeTime); + } + + /** + * {@inheritdoc} + */ + protected function doDelete($id) + { + return wincache_ucache_delete($id); + } + + /** + * {@inheritdoc} + */ + protected function doFlush() + { + return wincache_ucache_clear(); + } + + /** + * {@inheritdoc} + */ + protected function doGetStats() + { + $info = wincache_ucache_info(); + $meminfo = wincache_ucache_meminfo(); + + return array( + Cache::STATS_HITS => $info['total_hit_count'], + Cache::STATS_MISSES => $info['total_miss_count'], + Cache::STATS_UPTIME => $info['total_cache_uptime'], + Cache::STATS_MEMORY_USAGE => $meminfo['memory_total'], + Cache::STATS_MEMORY_AVAILIABLE => $meminfo['memory_free'], + ); + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Doctrine/Common/Cache/XcacheCache.php b/apps/files_external/3rdparty/aws-sdk-php/Doctrine/Common/Cache/XcacheCache.php new file mode 100644 index 0000000000..8733e266cc --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Doctrine/Common/Cache/XcacheCache.php @@ -0,0 +1,110 @@ +. + */ + +namespace Doctrine\Common\Cache; + +/** + * Xcache cache driver. + * + * @license http://www.opensource.org/licenses/lgpl-license.php LGPL + * @link www.doctrine-project.org + * @since 2.0 + * @author Benjamin Eberlei + * @author Guilherme Blanco + * @author Jonathan Wage + * @author Roman Borschel + * @author David Abdemoulaie + */ +class XcacheCache extends CacheProvider +{ + /** + * {@inheritdoc} + */ + protected function doFetch($id) + { + return $this->doContains($id) ? unserialize(xcache_get($id)) : false; + } + + /** + * {@inheritdoc} + */ + protected function doContains($id) + { + return xcache_isset($id); + } + + /** + * {@inheritdoc} + */ + protected function doSave($id, $data, $lifeTime = 0) + { + return xcache_set($id, serialize($data), (int) $lifeTime); + } + + /** + * {@inheritdoc} + */ + protected function doDelete($id) + { + return xcache_unset($id); + } + + /** + * {@inheritdoc} + */ + protected function doFlush() + { + $this->checkAuthorization(); + + xcache_clear_cache(XC_TYPE_VAR, 0); + + return true; + } + + /** + * Checks that xcache.admin.enable_auth is Off + * + * @throws \BadMethodCallException When xcache.admin.enable_auth is On + * @return void + */ + protected function checkAuthorization() + { + if (ini_get('xcache.admin.enable_auth')) { + throw new \BadMethodCallException('To use all features of \Doctrine\Common\Cache\XcacheCache, you must set "xcache.admin.enable_auth" to "Off" in your php.ini.'); + } + } + + /** + * {@inheritdoc} + */ + protected function doGetStats() + { + $this->checkAuthorization(); + + $info = xcache_info(XC_TYPE_VAR, 0); + return array( + Cache::STATS_HITS => $info['hits'], + Cache::STATS_MISSES => $info['misses'], + Cache::STATS_UPTIME => null, + Cache::STATS_MEMORY_USAGE => $info['size'], + Cache::STATS_MEMORY_AVAILIABLE => $info['avail'], + ); + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Doctrine/Common/Cache/ZendDataCache.php b/apps/files_external/3rdparty/aws-sdk-php/Doctrine/Common/Cache/ZendDataCache.php new file mode 100644 index 0000000000..fc90bc6909 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Doctrine/Common/Cache/ZendDataCache.php @@ -0,0 +1,84 @@ +. + */ + +namespace Doctrine\Common\Cache; + +/** + * Zend Data Cache cache driver. + * + * @license http://www.opensource.org/licenses/lgpl-license.php LGPL + * @link www.doctrine-project.org + * @since 2.0 + * @author Ralph Schindler + * @author Guilherme Blanco + */ +class ZendDataCache extends CacheProvider +{ + /** + * {@inheritdoc} + */ + protected function doFetch($id) + { + return zend_shm_cache_fetch($id); + } + + /** + * {@inheritdoc} + */ + protected function doContains($id) + { + return (false !== zend_shm_cache_fetch($id)); + } + + /** + * {@inheritdoc} + */ + protected function doSave($id, $data, $lifeTime = 0) + { + return zend_shm_cache_store($id, $data, $lifeTime); + } + + /** + * {@inheritdoc} + */ + protected function doDelete($id) + { + return zend_shm_cache_delete($id); + } + + /** + * {@inheritdoc} + */ + protected function doFlush() + { + $namespace = $this->getNamespace(); + if (empty($namespace)) { + return zend_shm_cache_clear(); + } + return zend_shm_cache_clear($namespace); + } + + /** + * {@inheritdoc} + */ + protected function doGetStats() + { + return null; + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Batch/AbstractBatchDecorator.php b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Batch/AbstractBatchDecorator.php new file mode 100644 index 0000000000..0625d71c30 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Batch/AbstractBatchDecorator.php @@ -0,0 +1,66 @@ +decoratedBatch = $decoratedBatch; + } + + /** + * Allow decorators to implement custom methods + * + * @param string $method Missing method name + * @param array $args Method arguments + * + * @return mixed + * @codeCoverageIgnore + */ + public function __call($method, array $args) + { + return call_user_func_array(array($this->decoratedBatch, $method), $args); + } + + public function add($item) + { + $this->decoratedBatch->add($item); + + return $this; + } + + public function flush() + { + return $this->decoratedBatch->flush(); + } + + public function isEmpty() + { + return $this->decoratedBatch->isEmpty(); + } + + /** + * Trace the decorators associated with the batch + * + * @return array + */ + public function getDecorators() + { + $found = array($this); + if (method_exists($this->decoratedBatch, 'getDecorators')) { + $found = array_merge($found, $this->decoratedBatch->getDecorators()); + } + + return $found; + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Batch/Batch.php b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Batch/Batch.php new file mode 100644 index 0000000000..4d41c54f88 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Batch/Batch.php @@ -0,0 +1,92 @@ +transferStrategy = $transferStrategy; + $this->divisionStrategy = $divisionStrategy; + $this->queue = new \SplQueue(); + $this->queue->setIteratorMode(\SplQueue::IT_MODE_DELETE); + $this->dividedBatches = array(); + } + + public function add($item) + { + $this->queue->enqueue($item); + + return $this; + } + + public function flush() + { + $this->createBatches(); + + $items = array(); + foreach ($this->dividedBatches as $batchIndex => $dividedBatch) { + while ($dividedBatch->valid()) { + $batch = $dividedBatch->current(); + $dividedBatch->next(); + try { + $this->transferStrategy->transfer($batch); + $items = array_merge($items, $batch); + } catch (\Exception $e) { + throw new BatchTransferException($batch, $items, $e, $this->transferStrategy, $this->divisionStrategy); + } + } + // Keep the divided batch down to a minimum in case of a later exception + unset($this->dividedBatches[$batchIndex]); + } + + return $items; + } + + public function isEmpty() + { + return count($this->queue) == 0 && count($this->dividedBatches) == 0; + } + + /** + * Create batches for any queued items + */ + protected function createBatches() + { + if (count($this->queue)) { + if ($batches = $this->divisionStrategy->createBatches($this->queue)) { + // Convert arrays into iterators + if (is_array($batches)) { + $batches = new \ArrayIterator($batches); + } + $this->dividedBatches[] = $batches; + } + } + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Batch/BatchBuilder.php b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Batch/BatchBuilder.php new file mode 100644 index 0000000000..ea99b4dd09 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Batch/BatchBuilder.php @@ -0,0 +1,199 @@ + 'Guzzle\Batch\BatchRequestTransfer', + 'command' => 'Guzzle\Batch\BatchCommandTransfer' + ); + + /** + * Create a new instance of the BatchBuilder + * + * @return BatchBuilder + */ + public static function factory() + { + return new self(); + } + + /** + * Automatically flush the batch when the size of the queue reaches a certain threshold. Adds {@see FlushingBatch}. + * + * @param $threshold Number of items to allow in the queue before a flush + * + * @return BatchBuilder + */ + public function autoFlushAt($threshold) + { + $this->autoFlush = $threshold; + + return $this; + } + + /** + * Maintain a history of all items that have been transferred using the batch. Adds {@see HistoryBatch}. + * + * @return BatchBuilder + */ + public function keepHistory() + { + $this->history = true; + + return $this; + } + + /** + * Buffer exceptions thrown during transfer so that you can transfer as much as possible, and after a transfer + * completes, inspect each exception that was thrown. Enables the {@see ExceptionBufferingBatch} decorator. + * + * @return BatchBuilder + */ + public function bufferExceptions() + { + $this->exceptionBuffering = true; + + return $this; + } + + /** + * Notify a callable each time a batch flush completes. Enables the {@see NotifyingBatch} decorator. + * + * @param mixed $callable Callable function to notify + * + * @return BatchBuilder + * @throws InvalidArgumentException if the argument is not callable + */ + public function notify($callable) + { + $this->afterFlush = $callable; + + return $this; + } + + /** + * Configures the batch to transfer batches of requests. Associates a {@see \Guzzle\Http\BatchRequestTransfer} + * object as both the transfer and divisor strategy. + * + * @param int $batchSize Batch size for each batch of requests + * + * @return BatchBuilder + */ + public function transferRequests($batchSize = 50) + { + $className = self::$mapping['request']; + $this->transferStrategy = new $className($batchSize); + $this->divisorStrategy = $this->transferStrategy; + + return $this; + } + + /** + * Configures the batch to transfer batches commands. Associates as + * {@see \Guzzle\Service\Command\BatchCommandTransfer} as both the transfer and divisor strategy. + * + * @param int $batchSize Batch size for each batch of commands + * + * @return BatchBuilder + */ + public function transferCommands($batchSize = 50) + { + $className = self::$mapping['command']; + $this->transferStrategy = new $className($batchSize); + $this->divisorStrategy = $this->transferStrategy; + + return $this; + } + + /** + * Specify the strategy used to divide the queue into an array of batches + * + * @param BatchDivisorInterface $divisorStrategy Strategy used to divide a batch queue into batches + * + * @return BatchBuilder + */ + public function createBatchesWith(BatchDivisorInterface $divisorStrategy) + { + $this->divisorStrategy = $divisorStrategy; + + return $this; + } + + /** + * Specify the strategy used to transport the items when flush is called + * + * @param BatchTransferInterface $transferStrategy How items are transferred + * + * @return BatchBuilder + */ + public function transferWith(BatchTransferInterface $transferStrategy) + { + $this->transferStrategy = $transferStrategy; + + return $this; + } + + /** + * Create and return the instantiated batch + * + * @return BatchInterface + * @throws RuntimeException if no transfer strategy has been specified + */ + public function build() + { + if (!$this->transferStrategy) { + throw new RuntimeException('No transfer strategy has been specified'); + } + + if (!$this->divisorStrategy) { + throw new RuntimeException('No divisor strategy has been specified'); + } + + $batch = new Batch($this->transferStrategy, $this->divisorStrategy); + + if ($this->exceptionBuffering) { + $batch = new ExceptionBufferingBatch($batch); + } + + if ($this->afterFlush) { + $batch = new NotifyingBatch($batch, $this->afterFlush); + } + + if ($this->autoFlush) { + $batch = new FlushingBatch($batch, $this->autoFlush); + } + + if ($this->history) { + $batch = new HistoryBatch($batch); + } + + return $batch; + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Batch/BatchClosureDivisor.php b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Batch/BatchClosureDivisor.php new file mode 100644 index 0000000000..e0a2d9568c --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Batch/BatchClosureDivisor.php @@ -0,0 +1,39 @@ +callable = $callable; + $this->context = $context; + } + + public function createBatches(\SplQueue $queue) + { + return call_user_func($this->callable, $queue, $this->context); + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Batch/BatchClosureTransfer.php b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Batch/BatchClosureTransfer.php new file mode 100644 index 0000000000..9cbf1aba40 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Batch/BatchClosureTransfer.php @@ -0,0 +1,40 @@ +callable = $callable; + $this->context = $context; + } + + public function transfer(array $batch) + { + return empty($batch) ? null : call_user_func($this->callable, $batch, $this->context); + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Batch/BatchCommandTransfer.php b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Batch/BatchCommandTransfer.php new file mode 100644 index 0000000000..d55ac7d1f3 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Batch/BatchCommandTransfer.php @@ -0,0 +1,75 @@ +batchSize = $batchSize; + } + + /** + * Creates batches by grouping commands by their associated client + * {@inheritdoc} + */ + public function createBatches(\SplQueue $queue) + { + $groups = new \SplObjectStorage(); + foreach ($queue as $item) { + if (!$item instanceof CommandInterface) { + throw new InvalidArgumentException('All items must implement Guzzle\Service\Command\CommandInterface'); + } + $client = $item->getClient(); + if (!$groups->contains($client)) { + $groups->attach($client, new \ArrayObject(array($item))); + } else { + $groups[$client]->append($item); + } + } + + $batches = array(); + foreach ($groups as $batch) { + $batches = array_merge($batches, array_chunk($groups[$batch]->getArrayCopy(), $this->batchSize)); + } + + return $batches; + } + + public function transfer(array $batch) + { + if (empty($batch)) { + return; + } + + // Get the client of the first found command + $client = reset($batch)->getClient(); + + // Keep a list of all commands with invalid clients + $invalid = array_filter($batch, function ($command) use ($client) { + return $command->getClient() !== $client; + }); + + if (!empty($invalid)) { + throw new InconsistentClientTransferException($invalid); + } + + $client->execute($batch); + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Batch/BatchDivisorInterface.php b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Batch/BatchDivisorInterface.php new file mode 100644 index 0000000000..0214f05f4a --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Batch/BatchDivisorInterface.php @@ -0,0 +1,18 @@ +batchSize = $batchSize; + } + + /** + * Creates batches of requests by grouping requests by their associated curl multi object. + * {@inheritdoc} + */ + public function createBatches(\SplQueue $queue) + { + // Create batches by client objects + $groups = new \SplObjectStorage(); + foreach ($queue as $item) { + if (!$item instanceof RequestInterface) { + throw new InvalidArgumentException('All items must implement Guzzle\Http\Message\RequestInterface'); + } + $client = $item->getClient(); + if (!$groups->contains($client)) { + $groups->attach($client, array($item)); + } else { + $current = $groups[$client]; + $current[] = $item; + $groups[$client] = $current; + } + } + + $batches = array(); + foreach ($groups as $batch) { + $batches = array_merge($batches, array_chunk($groups[$batch], $this->batchSize)); + } + + return $batches; + } + + public function transfer(array $batch) + { + if ($batch) { + reset($batch)->getClient()->send($batch); + } + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Batch/BatchSizeDivisor.php b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Batch/BatchSizeDivisor.php new file mode 100644 index 0000000000..67f90a5818 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Batch/BatchSizeDivisor.php @@ -0,0 +1,47 @@ +size = $size; + } + + /** + * Set the size of each batch + * + * @param int $size Size of each batch + * + * @return BatchSizeDivisor + */ + public function setSize($size) + { + $this->size = $size; + + return $this; + } + + /** + * Get the size of each batch + * + * @return int + */ + public function getSize() + { + return $this->size; + } + + public function createBatches(\SplQueue $queue) + { + return array_chunk(iterator_to_array($queue, false), $this->size); + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Batch/BatchTransferInterface.php b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Batch/BatchTransferInterface.php new file mode 100644 index 0000000000..2e0b60dad4 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Batch/BatchTransferInterface.php @@ -0,0 +1,16 @@ +batch = $batch; + $this->transferredItems = $transferredItems; + $this->transferStrategy = $transferStrategy; + $this->divisorStrategy = $divisorStrategy; + parent::__construct( + 'Exception encountered while transferring batch: ' . $exception->getMessage(), + $exception->getCode(), + $exception + ); + } + + /** + * Get the batch that we being sent when the exception occurred + * + * @return array + */ + public function getBatch() + { + return $this->batch; + } + + /** + * Get the items transferred at the point in which the exception was encountered + * + * @return array + */ + public function getTransferredItems() + { + return $this->transferredItems; + } + + /** + * Get the transfer strategy + * + * @return TransferStrategy + */ + public function getTransferStrategy() + { + return $this->transferStrategy; + } + + /** + * Get the divisor strategy + * + * @return DivisorStrategy + */ + public function getDivisorStrategy() + { + return $this->divisorStrategy; + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Batch/ExceptionBufferingBatch.php b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Batch/ExceptionBufferingBatch.php new file mode 100644 index 0000000000..d7a8928857 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Batch/ExceptionBufferingBatch.php @@ -0,0 +1,50 @@ +decoratedBatch->isEmpty()) { + try { + $transferredItems = $this->decoratedBatch->flush(); + } catch (BatchTransferException $e) { + $this->exceptions[] = $e; + $transferredItems = $e->getTransferredItems(); + } + $items = array_merge($items, $transferredItems); + } + + return $items; + } + + /** + * Get the buffered exceptions + * + * @return array Array of BatchTransferException objects + */ + public function getExceptions() + { + return $this->exceptions; + } + + /** + * Clear the buffered exceptions + */ + public function clearExceptions() + { + $this->exceptions = array(); + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Batch/FlushingBatch.php b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Batch/FlushingBatch.php new file mode 100644 index 0000000000..367b684271 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Batch/FlushingBatch.php @@ -0,0 +1,60 @@ +threshold = $threshold; + parent::__construct($decoratedBatch); + } + + /** + * Set the auto-flush threshold + * + * @param int $threshold The auto-flush threshold + * + * @return FlushingBatch + */ + public function setThreshold($threshold) + { + $this->threshold = $threshold; + + return $this; + } + + /** + * Get the auto-flush threshold + * + * @return int + */ + public function getThreshold() + { + return $this->threshold; + } + + public function add($item) + { + $this->decoratedBatch->add($item); + if (++$this->currentTotal >= $this->threshold) { + $this->currentTotal = 0; + $this->decoratedBatch->flush(); + } + + return $this; + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Batch/HistoryBatch.php b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Batch/HistoryBatch.php new file mode 100644 index 0000000000..e345fdc349 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Batch/HistoryBatch.php @@ -0,0 +1,39 @@ +history[] = $item; + $this->decoratedBatch->add($item); + + return $this; + } + + /** + * Get the batch history + * + * @return array + */ + public function getHistory() + { + return $this->history; + } + + /** + * Clear the batch history + */ + public function clearHistory() + { + $this->history = array(); + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Batch/NotifyingBatch.php b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Batch/NotifyingBatch.php new file mode 100644 index 0000000000..96d04daa82 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Batch/NotifyingBatch.php @@ -0,0 +1,38 @@ +callable = $callable; + parent::__construct($decoratedBatch); + } + + public function flush() + { + $items = $this->decoratedBatch->flush(); + call_user_func($this->callable, $items); + + return $items; + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Cache/AbstractCacheAdapter.php b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Cache/AbstractCacheAdapter.php new file mode 100644 index 0000000000..a5c527167b --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Cache/AbstractCacheAdapter.php @@ -0,0 +1,21 @@ +cache; + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Cache/CacheAdapterFactory.php b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Cache/CacheAdapterFactory.php new file mode 100644 index 0000000000..d02219a692 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Cache/CacheAdapterFactory.php @@ -0,0 +1,116 @@ +newInstanceArgs($args); + } + } catch (\Exception $e) { + throw new RuntimeException($e->getMessage(), $e->getCode(), $e); + } + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Cache/CacheAdapterInterface.php b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Cache/CacheAdapterInterface.php new file mode 100644 index 0000000000..970c9e2283 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Cache/CacheAdapterInterface.php @@ -0,0 +1,55 @@ +callables = $callables; + } + + public function contains($id, array $options = null) + { + return call_user_func($this->callables['contains'], $id, $options); + } + + public function delete($id, array $options = null) + { + return call_user_func($this->callables['delete'], $id, $options); + } + + public function fetch($id, array $options = null) + { + return call_user_func($this->callables['fetch'], $id, $options); + } + + public function save($id, $data, $lifeTime = false, array $options = null) + { + return call_user_func($this->callables['save'], $id, $data, $lifeTime, $options); + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Cache/DoctrineCacheAdapter.php b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Cache/DoctrineCacheAdapter.php new file mode 100644 index 0000000000..321dd6baf0 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Cache/DoctrineCacheAdapter.php @@ -0,0 +1,41 @@ +cache = $cache; + } + + public function contains($id, array $options = null) + { + return $this->cache->contains($id); + } + + public function delete($id, array $options = null) + { + return $this->cache->delete($id); + } + + public function fetch($id, array $options = null) + { + return $this->cache->fetch($id); + } + + public function save($id, $data, $lifeTime = false, array $options = null) + { + return $this->cache->save($id, $data, $lifeTime); + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Cache/NullCacheAdapter.php b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Cache/NullCacheAdapter.php new file mode 100644 index 0000000000..68bd4af97c --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Cache/NullCacheAdapter.php @@ -0,0 +1,31 @@ +cache = $cache; + } + + public function contains($id, array $options = null) + { + return $this->cache->test($id); + } + + public function delete($id, array $options = null) + { + return $this->cache->remove($id); + } + + public function fetch($id, array $options = null) + { + return $this->cache->load($id); + } + + public function save($id, $data, $lifeTime = false, array $options = null) + { + return $this->cache->save($data, $id, array(), $lifeTime); + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Cache/Zf2CacheAdapter.php b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Cache/Zf2CacheAdapter.php new file mode 100644 index 0000000000..1fc18a5553 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Cache/Zf2CacheAdapter.php @@ -0,0 +1,41 @@ +cache = $cache; + } + + public function contains($id, array $options = null) + { + return $this->cache->hasItem($id); + } + + public function delete($id, array $options = null) + { + return $this->cache->removeItem($id); + } + + public function fetch($id, array $options = null) + { + return $this->cache->getItem($id); + } + + public function save($id, $data, $lifeTime = false, array $options = null) + { + return $this->cache->setItem($id, $data); + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Common/AbstractHasDispatcher.php b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Common/AbstractHasDispatcher.php new file mode 100644 index 0000000000..9c6874fb4e --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Common/AbstractHasDispatcher.php @@ -0,0 +1,49 @@ +eventDispatcher = $eventDispatcher; + + return $this; + } + + public function getEventDispatcher() + { + if (!$this->eventDispatcher) { + $this->eventDispatcher = new EventDispatcher(); + } + + return $this->eventDispatcher; + } + + public function dispatch($eventName, array $context = array()) + { + $this->getEventDispatcher()->dispatch($eventName, new Event($context)); + } + + public function addSubscriber(EventSubscriberInterface $subscriber) + { + $this->getEventDispatcher()->addSubscriber($subscriber); + + return $this; + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Common/Collection.php b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Common/Collection.php new file mode 100644 index 0000000000..5cb1535d07 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Common/Collection.php @@ -0,0 +1,403 @@ +data = $data; + } + + /** + * Create a new collection from an array, validate the keys, and add default values where missing + * + * @param array $config Configuration values to apply. + * @param array $defaults Default parameters + * @param array $required Required parameter names + * + * @return self + * @throws InvalidArgumentException if a parameter is missing + */ + public static function fromConfig(array $config = array(), array $defaults = array(), array $required = array()) + { + $data = $config + $defaults; + + if ($missing = array_diff($required, array_keys($data))) { + throw new InvalidArgumentException('Config is missing the following keys: ' . implode(', ', $missing)); + } + + return new self($data); + } + + public function count() + { + return count($this->data); + } + + public function getIterator() + { + return new \ArrayIterator($this->data); + } + + public function toArray() + { + return $this->data; + } + + /** + * Removes all key value pairs + * + * @return Collection + */ + public function clear() + { + $this->data = array(); + + return $this; + } + + /** + * Get all or a subset of matching key value pairs + * + * @param array $keys Pass an array of keys to retrieve only a subset of key value pairs + * + * @return array Returns an array of all matching key value pairs + */ + public function getAll(array $keys = null) + { + return $keys ? array_intersect_key($this->data, array_flip($keys)) : $this->data; + } + + /** + * Get a specific key value. + * + * @param string $key Key to retrieve. + * + * @return mixed|null Value of the key or NULL + */ + public function get($key) + { + return isset($this->data[$key]) ? $this->data[$key] : null; + } + + /** + * Set a key value pair + * + * @param string $key Key to set + * @param mixed $value Value to set + * + * @return Collection Returns a reference to the object + */ + public function set($key, $value) + { + $this->data[$key] = $value; + + return $this; + } + + /** + * Add a value to a key. If a key of the same name has already been added, the key value will be converted into an + * array and the new value will be pushed to the end of the array. + * + * @param string $key Key to add + * @param mixed $value Value to add to the key + * + * @return Collection Returns a reference to the object. + */ + public function add($key, $value) + { + if (!array_key_exists($key, $this->data)) { + $this->data[$key] = $value; + } elseif (is_array($this->data[$key])) { + $this->data[$key][] = $value; + } else { + $this->data[$key] = array($this->data[$key], $value); + } + + return $this; + } + + /** + * Remove a specific key value pair + * + * @param string $key A key to remove + * + * @return Collection + */ + public function remove($key) + { + unset($this->data[$key]); + + return $this; + } + + /** + * Get all keys in the collection + * + * @return array + */ + public function getKeys() + { + return array_keys($this->data); + } + + /** + * Returns whether or not the specified key is present. + * + * @param string $key The key for which to check the existence. + * + * @return bool + */ + public function hasKey($key) + { + return array_key_exists($key, $this->data); + } + + /** + * Case insensitive search the keys in the collection + * + * @param string $key Key to search for + * + * @return bool|string Returns false if not found, otherwise returns the key + */ + public function keySearch($key) + { + foreach (array_keys($this->data) as $k) { + if (!strcasecmp($k, $key)) { + return $k; + } + } + + return false; + } + + /** + * Checks if any keys contains a certain value + * + * @param string $value Value to search for + * + * @return mixed Returns the key if the value was found FALSE if the value was not found. + */ + public function hasValue($value) + { + return array_search($value, $this->data); + } + + /** + * Replace the data of the object with the value of an array + * + * @param array $data Associative array of data + * + * @return Collection Returns a reference to the object + */ + public function replace(array $data) + { + $this->data = $data; + + return $this; + } + + /** + * Add and merge in a Collection or array of key value pair data. + * + * @param Collection|array $data Associative array of key value pair data + * + * @return Collection Returns a reference to the object. + */ + public function merge($data) + { + foreach ($data as $key => $value) { + $this->add($key, $value); + } + + return $this; + } + + /** + * Over write key value pairs in this collection with all of the data from an array or collection. + * + * @param array|\Traversable $data Values to override over this config + * + * @return self + */ + public function overwriteWith($data) + { + if (is_array($data)) { + $this->data = $data + $this->data; + } elseif ($data instanceof Collection) { + $this->data = $data->toArray() + $this->data; + } else { + foreach ($data as $key => $value) { + $this->data[$key] = $value; + } + } + + return $this; + } + + /** + * Returns a Collection containing all the elements of the collection after applying the callback function to each + * one. The Closure should accept three parameters: (string) $key, (string) $value, (array) $context and return a + * modified value + * + * @param \Closure $closure Closure to apply + * @param array $context Context to pass to the closure + * @param bool $static Set to TRUE to use the same class as the return rather than returning a Collection + * + * @return Collection + */ + public function map(\Closure $closure, array $context = array(), $static = true) + { + $collection = $static ? new static() : new self(); + foreach ($this as $key => $value) { + $collection->add($key, $closure($key, $value, $context)); + } + + return $collection; + } + + /** + * Iterates over each key value pair in the collection passing them to the Closure. If the Closure function returns + * true, the current value from input is returned into the result Collection. The Closure must accept three + * parameters: (string) $key, (string) $value and return Boolean TRUE or FALSE for each value. + * + * @param \Closure $closure Closure evaluation function + * @param bool $static Set to TRUE to use the same class as the return rather than returning a Collection + * + * @return Collection + */ + public function filter(\Closure $closure, $static = true) + { + $collection = ($static) ? new static() : new self(); + foreach ($this->data as $key => $value) { + if ($closure($key, $value)) { + $collection->add($key, $value); + } + } + + return $collection; + } + + public function offsetExists($offset) + { + return isset($this->data[$offset]); + } + + public function offsetGet($offset) + { + return isset($this->data[$offset]) ? $this->data[$offset] : null; + } + + public function offsetSet($offset, $value) + { + $this->data[$offset] = $value; + } + + public function offsetUnset($offset) + { + unset($this->data[$offset]); + } + + /** + * Set a value into a nested array key. Keys will be created as needed to set the value. + * + * @param string $path Path to set + * @param mixed $value Value to set at the key + * + * @return self + * @throws RuntimeException when trying to setPath using a nested path that travels through a scalar value + */ + public function setPath($path, $value) + { + $current =& $this->data; + $queue = explode('/', $path); + while (null !== ($key = array_shift($queue))) { + if (!is_array($current)) { + throw new RuntimeException("Trying to setPath {$path}, but {$key} is set and is not an array"); + } elseif (!$queue) { + $current[$key] = $value; + } elseif (isset($current[$key])) { + $current =& $current[$key]; + } else { + $current[$key] = array(); + $current =& $current[$key]; + } + } + + return $this; + } + + /** + * Gets a value from the collection using an array path (e.g. foo/baz/bar would retrieve bar from two nested arrays) + * Allows for wildcard searches which recursively combine matches up to the level at which the wildcard occurs. This + * can be useful for accepting any key of a sub-array and combining matching keys from each diverging path. + * + * @param string $path Path to traverse and retrieve a value from + * @param string $separator Character used to add depth to the search + * @param mixed $data Optional data to descend into (used when wildcards are encountered) + * + * @return mixed|null + */ + public function getPath($path, $separator = '/', $data = null) + { + if ($data === null) { + $data =& $this->data; + } + + $path = is_array($path) ? $path : explode($separator, $path); + while (null !== ($part = array_shift($path))) { + if (!is_array($data)) { + return null; + } elseif (isset($data[$part])) { + $data =& $data[$part]; + } elseif ($part != '*') { + return null; + } else { + // Perform a wildcard search by diverging and merging paths + $result = array(); + foreach ($data as $value) { + if (!$path) { + $result = array_merge_recursive($result, (array) $value); + } elseif (null !== ($test = $this->getPath($path, $separator, $value))) { + $result = array_merge_recursive($result, (array) $test); + } + } + return $result; + } + } + + return $data; + } + + /** + * Inject configuration settings into an input string + * + * @param string $input Input to inject + * + * @return string + * @deprecated + */ + public function inject($input) + { + Version::warn(__METHOD__ . ' is deprecated'); + $replace = array(); + foreach ($this->data as $key => $val) { + $replace['{' . $key . '}'] = $val; + } + + return strtr($input, $replace); + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Common/Event.php b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Common/Event.php new file mode 100644 index 0000000000..fad76a9b81 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Common/Event.php @@ -0,0 +1,52 @@ +context = $context; + } + + public function getIterator() + { + return new \ArrayIterator($this->context); + } + + public function offsetGet($offset) + { + return isset($this->context[$offset]) ? $this->context[$offset] : null; + } + + public function offsetSet($offset, $value) + { + $this->context[$offset] = $value; + } + + public function offsetExists($offset) + { + return isset($this->context[$offset]); + } + + public function offsetUnset($offset) + { + unset($this->context[$offset]); + } + + public function toArray() + { + return $this->context; + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Common/Exception/BadMethodCallException.php b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Common/Exception/BadMethodCallException.php new file mode 100644 index 0000000000..08d1c7256d --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Common/Exception/BadMethodCallException.php @@ -0,0 +1,5 @@ +exceptions = array(); + foreach ($exceptions as $exception) { + $this->add($exception); + } + + return $this; + } + + /** + * Add exceptions to the collection + * + * @param ExceptionCollection|\Exception $e Exception to add + * + * @return ExceptionCollection; + */ + public function add($e) + { + if ($this->message) { + $this->message .= "\n"; + } + + if ($e instanceof self) { + $this->message .= '(' . get_class($e) . ")"; + foreach (explode("\n", $e->getMessage()) as $message) { + $this->message .= "\n {$message}"; + } + } elseif ($e instanceof \Exception) { + $this->exceptions[] = $e; + $this->message .= '(' . get_class($e) . ') ' . $e->getMessage(); + } + + return $this; + } + + /** + * Get the total number of request exceptions + * + * @return int + */ + public function count() + { + return count($this->exceptions); + } + + /** + * Allows array-like iteration over the request exceptions + * + * @return \ArrayIterator + */ + public function getIterator() + { + return new \ArrayIterator($this->exceptions); + } + + /** + * Get the first exception in the collection + * + * @return \Exception + */ + public function getFirst() + { + return $this->exceptions ? $this->exceptions[0] : null; + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Common/Exception/GuzzleException.php b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Common/Exception/GuzzleException.php new file mode 100644 index 0000000000..458e6f2ea1 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Common/Exception/GuzzleException.php @@ -0,0 +1,8 @@ +body = $body; + } + + public function __toString() + { + return (string) $this->body; + } + + /** + * Allow decorators to implement custom methods + * + * @param string $method Missing method name + * @param array $args Method arguments + * + * @return mixed + */ + public function __call($method, array $args) + { + return call_user_func_array(array($this->body, $method), $args); + } + + public function close() + { + return $this->body->close(); + } + + public function setRewindFunction($callable) + { + $this->body->setRewindFunction($callable); + + return $this; + } + + public function rewind() + { + return $this->body->rewind(); + } + + public function compress($filter = 'zlib.deflate') + { + return $this->body->compress($filter); + } + + public function uncompress($filter = 'zlib.inflate') + { + return $this->body->uncompress($filter); + } + + public function getContentLength() + { + return $this->getSize(); + } + + public function getContentType() + { + return $this->body->getContentType(); + } + + public function getContentMd5($rawOutput = false, $base64Encode = false) + { + $hash = Stream::getHash($this, 'md5', $rawOutput); + + return $hash && $base64Encode ? base64_encode($hash) : $hash; + } + + public function getContentEncoding() + { + return $this->body->getContentEncoding(); + } + + public function getMetaData($key = null) + { + return $this->body->getMetaData($key); + } + + public function getStream() + { + return $this->body->getStream(); + } + + public function setStream($stream, $size = 0) + { + $this->body->setStream($stream, $size); + + return $this; + } + + public function detachStream() + { + $this->body->detachStream(); + + return $this; + } + + public function getWrapper() + { + return $this->body->getWrapper(); + } + + public function getWrapperData() + { + return $this->body->getWrapperData(); + } + + public function getStreamType() + { + return $this->body->getStreamType(); + } + + public function getUri() + { + return $this->body->getUri(); + } + + public function getSize() + { + return $this->body->getSize(); + } + + public function isReadable() + { + return $this->body->isReadable(); + } + + public function isRepeatable() + { + return $this->isSeekable() && $this->isReadable(); + } + + public function isWritable() + { + return $this->body->isWritable(); + } + + public function isConsumed() + { + return $this->body->isConsumed(); + } + + /** + * Alias of isConsumed() + * {@inheritdoc} + */ + public function feof() + { + return $this->isConsumed(); + } + + public function isLocal() + { + return $this->body->isLocal(); + } + + public function isSeekable() + { + return $this->body->isSeekable(); + } + + public function setSize($size) + { + $this->body->setSize($size); + + return $this; + } + + public function seek($offset, $whence = SEEK_SET) + { + return $this->body->seek($offset, $whence); + } + + public function read($length) + { + return $this->body->read($length); + } + + public function write($string) + { + return $this->body->write($string); + } + + public function readLine($maxLength = null) + { + return $this->body->readLine($maxLength); + } + + public function ftell() + { + return $this->body->ftell(); + } + + public function getCustomData($key) + { + return $this->body->getCustomData($key); + } + + public function setCustomData($key, $value) + { + $this->body->setCustomData($key, $value); + + return $this; + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Http/CachingEntityBody.php b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Http/CachingEntityBody.php new file mode 100644 index 0000000000..c65c136504 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Http/CachingEntityBody.php @@ -0,0 +1,229 @@ +remoteStream = $body; + $this->body = new EntityBody(fopen('php://temp', 'r+')); + } + + /** + * Will give the contents of the buffer followed by the exhausted remote stream. + * + * Warning: Loads the entire stream into memory + * + * @return string + */ + public function __toString() + { + $pos = $this->ftell(); + $this->rewind(); + + $str = ''; + while (!$this->isConsumed()) { + $str .= $this->read(16384); + } + + $this->seek($pos); + + return $str; + } + + public function getSize() + { + return max($this->body->getSize(), $this->remoteStream->getSize()); + } + + /** + * {@inheritdoc} + * @throws RuntimeException When seeking with SEEK_END or when seeking past the total size of the buffer stream + */ + public function seek($offset, $whence = SEEK_SET) + { + if ($whence == SEEK_SET) { + $byte = $offset; + } elseif ($whence == SEEK_CUR) { + $byte = $offset + $this->ftell(); + } else { + throw new RuntimeException(__CLASS__ . ' supports only SEEK_SET and SEEK_CUR seek operations'); + } + + // You cannot skip ahead past where you've read from the remote stream + if ($byte > $this->body->getSize()) { + throw new RuntimeException( + "Cannot seek to byte {$byte} when the buffered stream only contains {$this->body->getSize()} bytes" + ); + } + + return $this->body->seek($byte); + } + + public function rewind() + { + return $this->seek(0); + } + + /** + * Does not support custom rewind functions + * + * @throws RuntimeException + */ + public function setRewindFunction($callable) + { + throw new RuntimeException(__CLASS__ . ' does not support custom stream rewind functions'); + } + + public function read($length) + { + // Perform a regular read on any previously read data from the buffer + $data = $this->body->read($length); + $remaining = $length - strlen($data); + + // More data was requested so read from the remote stream + if ($remaining) { + // If data was written to the buffer in a position that would have been filled from the remote stream, + // then we must skip bytes on the remote stream to emulate overwriting bytes from that position. This + // mimics the behavior of other PHP stream wrappers. + $remoteData = $this->remoteStream->read($remaining + $this->skipReadBytes); + + if ($this->skipReadBytes) { + $len = strlen($remoteData); + $remoteData = substr($remoteData, $this->skipReadBytes); + $this->skipReadBytes = max(0, $this->skipReadBytes - $len); + } + + $data .= $remoteData; + $this->body->write($remoteData); + } + + return $data; + } + + public function write($string) + { + // When appending to the end of the currently read stream, you'll want to skip bytes from being read from + // the remote stream to emulate other stream wrappers. Basically replacing bytes of data of a fixed length. + $overflow = (strlen($string) + $this->ftell()) - $this->remoteStream->ftell(); + if ($overflow > 0) { + $this->skipReadBytes += $overflow; + } + + return $this->body->write($string); + } + + /** + * {@inheritdoc} + * @link http://php.net/manual/en/function.fgets.php + */ + public function readLine($maxLength = null) + { + $buffer = ''; + $size = 0; + while (!$this->isConsumed()) { + $byte = $this->read(1); + $buffer .= $byte; + // Break when a new line is found or the max length - 1 is reached + if ($byte == PHP_EOL || ++$size == $maxLength - 1) { + break; + } + } + + return $buffer; + } + + public function isConsumed() + { + return $this->body->isConsumed() && $this->remoteStream->isConsumed(); + } + + /** + * Close both the remote stream and buffer stream + */ + public function close() + { + return $this->remoteStream->close() && $this->body->close(); + } + + public function setStream($stream, $size = 0) + { + $this->remoteStream->setStream($stream, $size); + } + + public function getContentType() + { + return $this->remoteStream->getContentType(); + } + + public function getContentEncoding() + { + return $this->remoteStream->getContentEncoding(); + } + + public function getMetaData($key = null) + { + return $this->remoteStream->getMetaData($key); + } + + public function getStream() + { + return $this->remoteStream->getStream(); + } + + public function getWrapper() + { + return $this->remoteStream->getWrapper(); + } + + public function getWrapperData() + { + return $this->remoteStream->getWrapperData(); + } + + public function getStreamType() + { + return $this->remoteStream->getStreamType(); + } + + public function getUri() + { + return $this->remoteStream->getUri(); + } + + /** + * Always retrieve custom data from the remote stream + * {@inheritdoc} + */ + public function getCustomData($key) + { + return $this->remoteStream->getCustomData($key); + } + + /** + * Always set custom data on the remote stream + * {@inheritdoc} + */ + public function setCustomData($key, $value) + { + $this->remoteStream->setCustomData($key, $value); + + return $this; + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Http/Client.php b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Http/Client.php new file mode 100644 index 0000000000..1f34203acf --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Http/Client.php @@ -0,0 +1,507 @@ +setConfig($config ?: new Collection()); + $this->initSsl(); + $this->setBaseUrl($baseUrl); + $this->defaultHeaders = new Collection(); + $this->setRequestFactory(RequestFactory::getInstance()); + $this->userAgent = $this->getDefaultUserAgent(); + if (!$this->config[self::DISABLE_REDIRECTS]) { + $this->addSubscriber(new RedirectPlugin()); + } + } + + final public function setConfig($config) + { + if ($config instanceof Collection) { + $this->config = $config; + } elseif (is_array($config)) { + $this->config = new Collection($config); + } else { + throw new InvalidArgumentException('Config must be an array or Collection'); + } + + return $this; + } + + final public function getConfig($key = false) + { + return $key ? $this->config[$key] : $this->config; + } + + /** + * Set a default request option on the client that will be used as a default for each request + * + * @param string $keyOrPath request.options key (e.g. allow_redirects) or path to a nested key (e.g. headers/foo) + * @param mixed $value Value to set + * + * @return $this + */ + public function setDefaultOption($keyOrPath, $value) + { + if (strpos($keyOrPath, '/')) { + $this->config->setPath($keyOrPath, $value); + } else { + $this->config[$keyOrPath] = $value; + } + + return $this; + } + + /** + * Retrieve a default request option from the client + * + * @param string $keyOrPath request.options key (e.g. allow_redirects) or path to a nested key (e.g. headers/foo) + * + * @return mixed|null + */ + public function getDefaultOption($keyOrPath) + { + return strpos($keyOrPath, '/') ? $this->config->getPath($keyOrPath) : $this->config[$keyOrPath]; + } + + final public function setSslVerification($certificateAuthority = true, $verifyPeer = true, $verifyHost = 2) + { + $opts = $this->config[self::CURL_OPTIONS] ?: array(); + + if ($certificateAuthority === true) { + // use bundled CA bundle, set secure defaults + $opts[CURLOPT_CAINFO] = __DIR__ . '/Resources/cacert.pem'; + $opts[CURLOPT_SSL_VERIFYPEER] = true; + $opts[CURLOPT_SSL_VERIFYHOST] = 2; + } elseif ($certificateAuthority === false) { + unset($opts[CURLOPT_CAINFO]); + $opts[CURLOPT_SSL_VERIFYPEER] = false; + $opts[CURLOPT_SSL_VERIFYHOST] = 2; + } elseif ($verifyPeer !== true && $verifyPeer !== false && $verifyPeer !== 1 && $verifyPeer !== 0) { + throw new InvalidArgumentException('verifyPeer must be 1, 0 or boolean'); + } elseif ($verifyHost !== 0 && $verifyHost !== 1 && $verifyHost !== 2) { + throw new InvalidArgumentException('verifyHost must be 0, 1 or 2'); + } else { + $opts[CURLOPT_SSL_VERIFYPEER] = $verifyPeer; + $opts[CURLOPT_SSL_VERIFYHOST] = $verifyHost; + if (is_file($certificateAuthority)) { + unset($opts[CURLOPT_CAPATH]); + $opts[CURLOPT_CAINFO] = $certificateAuthority; + } elseif (is_dir($certificateAuthority)) { + unset($opts[CURLOPT_CAINFO]); + $opts[CURLOPT_CAPATH] = $certificateAuthority; + } else { + throw new RuntimeException( + 'Invalid option passed to ' . self::SSL_CERT_AUTHORITY . ': ' . $certificateAuthority + ); + } + } + + $this->config->set(self::CURL_OPTIONS, $opts); + + return $this; + } + + public function createRequest($method = 'GET', $uri = null, $headers = null, $body = null, array $options = array()) + { + if (!$uri) { + $url = $this->getBaseUrl(); + } else { + if (!is_array($uri)) { + $templateVars = null; + } else { + list($uri, $templateVars) = $uri; + } + if (substr($uri, 0, 4) === 'http') { + // Use absolute URLs as-is + $url = $this->expandTemplate($uri, $templateVars); + } else { + $url = Url::factory($this->getBaseUrl())->combine($this->expandTemplate($uri, $templateVars)); + } + } + + // If default headers are provided, then merge them under any explicitly provided headers for the request + if (count($this->defaultHeaders)) { + if (!$headers) { + $headers = $this->defaultHeaders->toArray(); + } elseif (is_array($headers)) { + $headers += $this->defaultHeaders->toArray(); + } elseif ($headers instanceof Collection) { + $headers = $headers->toArray() + $this->defaultHeaders->toArray(); + } + } + + return $this->prepareRequest($this->requestFactory->create($method, (string) $url, $headers, $body), $options); + } + + public function getBaseUrl($expand = true) + { + return $expand ? $this->expandTemplate($this->baseUrl) : $this->baseUrl; + } + + public function setBaseUrl($url) + { + $this->baseUrl = $url; + + return $this; + } + + public function setUserAgent($userAgent, $includeDefault = false) + { + if ($includeDefault) { + $userAgent .= ' ' . $this->getDefaultUserAgent(); + } + $this->userAgent = $userAgent; + + return $this; + } + + /** + * Get the default User-Agent string to use with Guzzle + * + * @return string + */ + public function getDefaultUserAgent() + { + return 'Guzzle/' . Version::VERSION + . ' curl/' . CurlVersion::getInstance()->get('version') + . ' PHP/' . PHP_VERSION; + } + + public function get($uri = null, $headers = null, $options = array()) + { + // BC compat: $options can be a string, resource, etc to specify where the response body is downloaded + return is_array($options) + ? $this->createRequest('GET', $uri, $headers, null, $options) + : $this->createRequest('GET', $uri, $headers, $options); + } + + public function head($uri = null, $headers = null, array $options = array()) + { + return $this->createRequest('HEAD', $uri, $headers, $options); + } + + public function delete($uri = null, $headers = null, $body = null, array $options = array()) + { + return $this->createRequest('DELETE', $uri, $headers, $body, $options); + } + + public function put($uri = null, $headers = null, $body = null, array $options = array()) + { + return $this->createRequest('PUT', $uri, $headers, $body, $options); + } + + public function patch($uri = null, $headers = null, $body = null, array $options = array()) + { + return $this->createRequest('PATCH', $uri, $headers, $body, $options); + } + + public function post($uri = null, $headers = null, $postBody = null, array $options = array()) + { + return $this->createRequest('POST', $uri, $headers, $postBody, $options); + } + + public function options($uri = null, array $options = array()) + { + return $this->createRequest('OPTIONS', $uri, $options); + } + + public function send($requests) + { + if (!($requests instanceof RequestInterface)) { + return $this->sendMultiple($requests); + } + + try { + /** @var $requests RequestInterface */ + $this->getCurlMulti()->add($requests)->send(); + return $requests->getResponse(); + } catch (ExceptionCollection $e) { + throw $e->getFirst(); + } + } + + /** + * Set a curl multi object to be used internally by the client for transferring requests. + * + * @param CurlMultiInterface $curlMulti Multi object + * + * @return self + */ + public function setCurlMulti(CurlMultiInterface $curlMulti) + { + $this->curlMulti = $curlMulti; + + return $this; + } + + /** + * @return CurlMultiInterface|CurlMultiProxy + */ + public function getCurlMulti() + { + if (!$this->curlMulti) { + $this->curlMulti = new CurlMultiProxy(); + } + + return $this->curlMulti; + } + + public function setRequestFactory(RequestFactoryInterface $factory) + { + $this->requestFactory = $factory; + + return $this; + } + + /** + * Set the URI template expander to use with the client + * + * @param UriTemplateInterface $uriTemplate URI template expander + * + * @return self + */ + public function setUriTemplate(UriTemplateInterface $uriTemplate) + { + $this->uriTemplate = $uriTemplate; + + return $this; + } + + /** + * Copy the cacert.pem file from the phar if it is not in the temp folder and validate the MD5 checksum + * + * @param bool $md5Check Set to false to not perform the MD5 validation + * + * @return string Returns the path to the extracted cacert + * @throws RuntimeException if the file cannot be copied or there is a MD5 mismatch + */ + public function preparePharCacert($md5Check = true) + { + $from = __DIR__ . '/Resources/cacert.pem'; + $certFile = sys_get_temp_dir() . '/guzzle-cacert.pem'; + if (!file_exists($certFile) && !copy($from, $certFile)) { + throw new RuntimeException("Could not copy {$from} to {$certFile}: " . var_export(error_get_last(), true)); + } elseif ($md5Check) { + $actualMd5 = md5_file($certFile); + $expectedMd5 = trim(file_get_contents("{$from}.md5")); + if ($actualMd5 != $expectedMd5) { + throw new RuntimeException("{$certFile} MD5 mismatch: expected {$expectedMd5} but got {$actualMd5}"); + } + } + + return $certFile; + } + + /** + * Expand a URI template while merging client config settings into the template variables + * + * @param string $template Template to expand + * @param array $variables Variables to inject + * + * @return string + */ + protected function expandTemplate($template, array $variables = null) + { + $expansionVars = $this->getConfig()->toArray(); + if ($variables) { + $expansionVars = $variables + $expansionVars; + } + + return $this->getUriTemplate()->expand($template, $expansionVars); + } + + /** + * Get the URI template expander used by the client + * + * @return UriTemplateInterface + */ + protected function getUriTemplate() + { + if (!$this->uriTemplate) { + $this->uriTemplate = ParserRegistry::getInstance()->getParser('uri_template'); + } + + return $this->uriTemplate; + } + + /** + * Send multiple requests in parallel + * + * @param array $requests Array of RequestInterface objects + * + * @return array Returns an array of Response objects + */ + protected function sendMultiple(array $requests) + { + $curlMulti = $this->getCurlMulti(); + foreach ($requests as $request) { + $curlMulti->add($request); + } + $curlMulti->send(); + + /** @var $request RequestInterface */ + $result = array(); + foreach ($requests as $request) { + $result[] = $request->getResponse(); + } + + return $result; + } + + /** + * Prepare a request to be sent from the Client by adding client specific behaviors and properties to the request. + * + * @param RequestInterface $request Request to prepare for the client + * @param array $options Options to apply to the request + * + * @return RequestInterface + */ + protected function prepareRequest(RequestInterface $request, array $options = array()) + { + $request->setClient($this)->setEventDispatcher(clone $this->getEventDispatcher()); + + if ($curl = $this->config[self::CURL_OPTIONS]) { + $request->getCurlOptions()->overwriteWith(CurlHandle::parseCurlConfig($curl)); + } + + if ($params = $this->config[self::REQUEST_PARAMS]) { + Version::warn('request.params is deprecated. Use request.options to add default request options.'); + $request->getParams()->overwriteWith($params); + } + + if ($this->userAgent && !$request->hasHeader('User-Agent')) { + $request->setHeader('User-Agent', $this->userAgent); + } + + if ($defaults = $this->config[self::REQUEST_OPTIONS]) { + $this->requestFactory->applyOptions($request, $defaults, RequestFactoryInterface::OPTIONS_AS_DEFAULTS); + } + + if ($options) { + $this->requestFactory->applyOptions($request, $options); + } + + $this->dispatch('client.create_request', array('client' => $this, 'request' => $request)); + + return $request; + } + + /** + * Initializes SSL settings + */ + protected function initSsl() + { + if ('system' == ($authority = $this->config[self::SSL_CERT_AUTHORITY])) { + return; + } + + if ($authority === null) { + $authority = true; + } + + if ($authority === true && substr(__FILE__, 0, 7) == 'phar://') { + $authority = $this->preparePharCacert(); + $that = $this; + $this->getEventDispatcher()->addListener('request.before_send', function ($event) use ($authority, $that) { + if ($authority == $event['request']->getCurlOptions()->get(CURLOPT_CAINFO)) { + $that->preparePharCacert(false); + } + }); + } + + $this->setSslVerification($authority); + } + + /** + * @deprecated + */ + public function getDefaultHeaders() + { + Version::warn(__METHOD__ . ' is deprecated. Use the request.options array to retrieve default request options'); + return $this->defaultHeaders; + } + + /** + * @deprecated + */ + public function setDefaultHeaders($headers) + { + Version::warn(__METHOD__ . ' is deprecated. Use the request.options array to specify default request options'); + if ($headers instanceof Collection) { + $this->defaultHeaders = $headers; + } elseif (is_array($headers)) { + $this->defaultHeaders = new Collection($headers); + } else { + throw new InvalidArgumentException('Headers must be an array or Collection'); + } + + return $this; + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Http/ClientInterface.php b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Http/ClientInterface.php new file mode 100644 index 0000000000..10e4de2ab0 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Http/ClientInterface.php @@ -0,0 +1,223 @@ +getCurlOptions(); + $mediator = new RequestMediator($request, $requestCurlOptions->get('emit_io')); + $tempContentLength = null; + $method = $request->getMethod(); + $bodyAsString = $requestCurlOptions->get(self::BODY_AS_STRING); + + // Array of default cURL options. + $curlOptions = array( + CURLOPT_URL => $request->getUrl(), + CURLOPT_CONNECTTIMEOUT => 150, + CURLOPT_RETURNTRANSFER => false, + CURLOPT_HEADER => false, + CURLOPT_PORT => $request->getPort(), + CURLOPT_HTTPHEADER => array(), + CURLOPT_WRITEFUNCTION => array($mediator, 'writeResponseBody'), + CURLOPT_HEADERFUNCTION => array($mediator, 'receiveResponseHeader'), + CURLOPT_HTTP_VERSION => $request->getProtocolVersion() === '1.0' + ? CURL_HTTP_VERSION_1_0 : CURL_HTTP_VERSION_1_1, + // Verifies the authenticity of the peer's certificate + CURLOPT_SSL_VERIFYPEER => 1, + // Certificate must indicate that the server is the server to which you meant to connect + CURLOPT_SSL_VERIFYHOST => 2 + ); + + if (defined('CURLOPT_PROTOCOLS')) { + // Allow only HTTP and HTTPS protocols + $curlOptions[CURLOPT_PROTOCOLS] = CURLPROTO_HTTP | CURLPROTO_HTTPS; + } + + // Add CURLOPT_ENCODING if Accept-Encoding header is provided + if ($acceptEncodingHeader = $request->getHeader('Accept-Encoding')) { + $curlOptions[CURLOPT_ENCODING] = (string) $acceptEncodingHeader; + // Let cURL set the Accept-Encoding header, prevents duplicate values + $request->removeHeader('Accept-Encoding'); + } + + // Enable curl debug information if the 'debug' param was set + if ($requestCurlOptions->get('debug')) { + $curlOptions[CURLOPT_STDERR] = fopen('php://temp', 'r+'); + // @codeCoverageIgnoreStart + if (false === $curlOptions[CURLOPT_STDERR]) { + throw new RuntimeException('Unable to create a stream for CURLOPT_STDERR'); + } + // @codeCoverageIgnoreEnd + $curlOptions[CURLOPT_VERBOSE] = true; + } + + // Specify settings according to the HTTP method + if ($method == 'GET') { + $curlOptions[CURLOPT_HTTPGET] = true; + } elseif ($method == 'HEAD') { + $curlOptions[CURLOPT_NOBODY] = true; + // HEAD requests do not use a write function + unset($curlOptions[CURLOPT_WRITEFUNCTION]); + } elseif (!($request instanceof EntityEnclosingRequest)) { + $curlOptions[CURLOPT_CUSTOMREQUEST] = $method; + } else { + + $curlOptions[CURLOPT_CUSTOMREQUEST] = $method; + + // Handle sending raw bodies in a request + if ($request->getBody()) { + // You can send the body as a string using curl's CURLOPT_POSTFIELDS + if ($bodyAsString) { + $curlOptions[CURLOPT_POSTFIELDS] = (string) $request->getBody(); + // Allow curl to add the Content-Length for us to account for the times when + // POST redirects are followed by GET requests + if ($tempContentLength = $request->getHeader('Content-Length')) { + $tempContentLength = (int) (string) $tempContentLength; + } + // Remove the curl generated Content-Type header if none was set manually + if (!$request->hasHeader('Content-Type')) { + $curlOptions[CURLOPT_HTTPHEADER][] = 'Content-Type:'; + } + } else { + $curlOptions[CURLOPT_UPLOAD] = true; + // Let cURL handle setting the Content-Length header + if ($tempContentLength = $request->getHeader('Content-Length')) { + $tempContentLength = (int) (string) $tempContentLength; + $curlOptions[CURLOPT_INFILESIZE] = $tempContentLength; + } + // Add a callback for curl to read data to send with the request only if a body was specified + $curlOptions[CURLOPT_READFUNCTION] = array($mediator, 'readRequestBody'); + // Attempt to seek to the start of the stream + $request->getBody()->seek(0); + } + + } else { + + // Special handling for POST specific fields and files + $postFields = false; + if (count($request->getPostFiles())) { + $postFields = $request->getPostFields()->useUrlEncoding(false)->urlEncode(); + foreach ($request->getPostFiles() as $key => $data) { + $prefixKeys = count($data) > 1; + foreach ($data as $index => $file) { + // Allow multiple files in the same key + $fieldKey = $prefixKeys ? "{$key}[{$index}]" : $key; + $postFields[$fieldKey] = $file->getCurlValue(); + } + } + } elseif (count($request->getPostFields())) { + $postFields = (string) $request->getPostFields()->useUrlEncoding(true); + } + + if ($postFields !== false) { + if ($method == 'POST') { + unset($curlOptions[CURLOPT_CUSTOMREQUEST]); + $curlOptions[CURLOPT_POST] = true; + } + $curlOptions[CURLOPT_POSTFIELDS] = $postFields; + $request->removeHeader('Content-Length'); + } + } + + // If the Expect header is not present, prevent curl from adding it + if (!$request->hasHeader('Expect')) { + $curlOptions[CURLOPT_HTTPHEADER][] = 'Expect:'; + } + } + + // If a Content-Length header was specified but we want to allow curl to set one for us + if (null !== $tempContentLength) { + $request->removeHeader('Content-Length'); + } + + // Set custom cURL options + foreach ($requestCurlOptions->toArray() as $key => $value) { + if (is_numeric($key)) { + $curlOptions[$key] = $value; + } + } + + // Do not set an Accept header by default + if (!isset($curlOptions[CURLOPT_ENCODING])) { + $curlOptions[CURLOPT_HTTPHEADER][] = 'Accept:'; + } + + // Add any custom headers to the request. Empty headers will cause curl to not send the header at all. + foreach ($request->getHeaderLines() as $line) { + $curlOptions[CURLOPT_HTTPHEADER][] = $line; + } + + // Add the content-length header back if it was temporarily removed + if ($tempContentLength) { + $request->setHeader('Content-Length', $tempContentLength); + } + + // Apply the options to a new cURL handle. + $handle = curl_init(); + + // Enable the progress function if the 'progress' param was set + if ($requestCurlOptions->get('progress')) { + // Wrap the function in a function that provides the curl handle to the mediator's progress function + // Using this rather than injecting the handle into the mediator prevents a circular reference + $curlOptions[CURLOPT_PROGRESSFUNCTION] = function () use ($mediator, $handle) { + $args = func_get_args(); + $args[] = $handle; + call_user_func_array(array($mediator, 'progress'), $args); + }; + $curlOptions[CURLOPT_NOPROGRESS] = false; + } + + curl_setopt_array($handle, $curlOptions); + + return new static($handle, $curlOptions); + } + + /** + * Construct a new CurlHandle object that wraps a cURL handle + * + * @param resource $handle Configured cURL handle resource + * @param Collection|array $options Curl options to use with the handle + * + * @throws InvalidArgumentException + */ + public function __construct($handle, $options) + { + if (!is_resource($handle)) { + throw new InvalidArgumentException('Invalid handle provided'); + } + if (is_array($options)) { + $this->options = new Collection($options); + } elseif ($options instanceof Collection) { + $this->options = $options; + } else { + throw new InvalidArgumentException('Expected array or Collection'); + } + $this->handle = $handle; + } + + /** + * Destructor + */ + public function __destruct() + { + $this->close(); + } + + /** + * Close the curl handle + */ + public function close() + { + if (is_resource($this->handle)) { + curl_close($this->handle); + } + $this->handle = null; + } + + /** + * Check if the handle is available and still OK + * + * @return bool + */ + public function isAvailable() + { + return is_resource($this->handle); + } + + /** + * Get the last error that occurred on the cURL handle + * + * @return string + */ + public function getError() + { + return $this->isAvailable() ? curl_error($this->handle) : ''; + } + + /** + * Get the last error number that occurred on the cURL handle + * + * @return int + */ + public function getErrorNo() + { + if ($this->errorNo) { + return $this->errorNo; + } + + return $this->isAvailable() ? curl_errno($this->handle) : CURLE_OK; + } + + /** + * Set the curl error number + * + * @param int $error Error number to set + * + * @return CurlHandle + */ + public function setErrorNo($error) + { + $this->errorNo = $error; + + return $this; + } + + /** + * Get cURL curl_getinfo data + * + * @param int $option Option to retrieve. Pass null to retrieve all data as an array. + * + * @return array|mixed + */ + public function getInfo($option = null) + { + if (!is_resource($this->handle)) { + return null; + } + + if (null !== $option) { + return curl_getinfo($this->handle, $option) ?: null; + } + + return curl_getinfo($this->handle) ?: array(); + } + + /** + * Get the stderr output + * + * @param bool $asResource Set to TRUE to get an fopen resource + * + * @return string|resource|null + */ + public function getStderr($asResource = false) + { + $stderr = $this->getOptions()->get(CURLOPT_STDERR); + if (!$stderr) { + return null; + } + + if ($asResource) { + return $stderr; + } + + fseek($stderr, 0); + $e = stream_get_contents($stderr); + fseek($stderr, 0, SEEK_END); + + return $e; + } + + /** + * Get the URL that this handle is connecting to + * + * @return Url + */ + public function getUrl() + { + return Url::factory($this->options->get(CURLOPT_URL)); + } + + /** + * Get the wrapped curl handle + * + * @return resource|null Returns the cURL handle or null if it was closed + */ + public function getHandle() + { + return $this->isAvailable() ? $this->handle : null; + } + + /** + * Get the cURL setopt options of the handle. Changing values in the return object will have no effect on the curl + * handle after it is created. + * + * @return Collection + */ + public function getOptions() + { + return $this->options; + } + + /** + * Update a request based on the log messages of the CurlHandle + * + * @param RequestInterface $request Request to update + */ + public function updateRequestFromTransfer(RequestInterface $request) + { + if (!$request->getResponse()) { + return; + } + + // Update the transfer stats of the response + $request->getResponse()->setInfo($this->getInfo()); + + if (!$log = $this->getStderr(true)) { + return; + } + + // Parse the cURL stderr output for outgoing requests + $headers = ''; + fseek($log, 0); + while (($line = fgets($log)) !== false) { + if ($line && $line[0] == '>') { + $headers = substr(trim($line), 2) . "\r\n"; + while (($line = fgets($log)) !== false) { + if ($line[0] == '*' || $line[0] == '<') { + break; + } else { + $headers .= trim($line) . "\r\n"; + } + } + } + } + + // Add request headers to the request exactly as they were sent + if ($headers) { + $parsed = ParserRegistry::getInstance()->getParser('message')->parseRequest($headers); + if (!empty($parsed['headers'])) { + $request->setHeaders(array()); + foreach ($parsed['headers'] as $name => $value) { + $request->setHeader($name, $value); + } + } + if (!empty($parsed['version'])) { + $request->setProtocolVersion($parsed['version']); + } + } + } + + /** + * Parse the config and replace curl.* configurators into the constant based values so it can be used elsewhere + * + * @param array|Collection $config The configuration we want to parse + * + * @return array + */ + public static function parseCurlConfig($config) + { + $curlOptions = array(); + foreach ($config as $key => $value) { + if (is_string($key) && defined($key)) { + // Convert constants represented as string to constant int values + $key = constant($key); + } + if (is_string($value) && defined($value)) { + $value = constant($value); + } + $curlOptions[$key] = $value; + } + + return $curlOptions; + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Http/Curl/CurlMulti.php b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Http/Curl/CurlMulti.php new file mode 100644 index 0000000000..a8c569984d --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Http/Curl/CurlMulti.php @@ -0,0 +1,390 @@ + array('CURLM_BAD_HANDLE', 'The passed-in handle is not a valid CURLM handle.'), + CURLM_BAD_EASY_HANDLE => array('CURLM_BAD_EASY_HANDLE', "An easy handle was not good/valid. It could mean that it isn't an easy handle at all, or possibly that the handle already is in used by this or another multi handle."), + CURLM_OUT_OF_MEMORY => array('CURLM_OUT_OF_MEMORY', 'You are doomed.'), + CURLM_INTERNAL_ERROR => array('CURLM_INTERNAL_ERROR', 'This can only be returned if libcurl bugs. Please report it to us!') + ); + + public function __construct() + { + $this->multiHandle = curl_multi_init(); + // @codeCoverageIgnoreStart + if ($this->multiHandle === false) { + throw new CurlException('Unable to create multi handle'); + } + // @codeCoverageIgnoreEnd + $this->reset(); + } + + public function __destruct() + { + if (is_resource($this->multiHandle)) { + curl_multi_close($this->multiHandle); + } + } + + public function add(RequestInterface $request) + { + $this->requests[] = $request; + // If requests are currently transferring and this is async, then the + // request must be prepared now as the send() method is not called. + $this->beforeSend($request); + $this->dispatch(self::ADD_REQUEST, array('request' => $request)); + + return $this; + } + + public function all() + { + return $this->requests; + } + + public function remove(RequestInterface $request) + { + $this->removeHandle($request); + foreach ($this->requests as $i => $r) { + if ($request === $r) { + unset($this->requests[$i]); + $this->requests = array_values($this->requests); + $this->dispatch(self::REMOVE_REQUEST, array('request' => $request)); + return true; + } + } + + return false; + } + + public function reset($hard = false) + { + // Remove each request + if ($this->requests) { + foreach ($this->requests as $request) { + $this->remove($request); + } + } + + $this->handles = new \SplObjectStorage(); + $this->requests = $this->resourceHash = $this->exceptions = $this->successful = array(); + } + + public function send() + { + $this->perform(); + $exceptions = $this->exceptions; + $successful = $this->successful; + $this->reset(); + + if ($exceptions) { + $this->throwMultiException($exceptions, $successful); + } + } + + public function count() + { + return count($this->requests); + } + + /** + * Build and throw a MultiTransferException + * + * @param array $exceptions Exceptions encountered + * @param array $successful Successful requests + * @throws MultiTransferException + */ + protected function throwMultiException(array $exceptions, array $successful) + { + $multiException = new MultiTransferException('Errors during multi transfer'); + + while ($e = array_shift($exceptions)) { + $multiException->add($e['exception']); + $multiException->addFailedRequest($e['request']); + } + + // Add successful requests + foreach ($successful as $request) { + if (!$multiException->containsRequest($request)) { + $multiException->addSuccessfulRequest($request); + } + } + + throw $multiException; + } + + /** + * Prepare for sending + * + * @param RequestInterface $request Request to prepare + * @throws \Exception on error preparing the request + */ + protected function beforeSend(RequestInterface $request) + { + try { + $state = $request->setState(RequestInterface::STATE_TRANSFER); + if ($state == RequestInterface::STATE_TRANSFER) { + // Add the request curl handle to the multi handle + $this->checkCurlResult(curl_multi_add_handle($this->multiHandle, $this->createCurlHandle($request)->getHandle())); + } else { + // Requests might decide they don't need to be sent just before transfer (e.g. CachePlugin) + $this->remove($request); + if ($state == RequestInterface::STATE_COMPLETE) { + $this->successful[] = $request; + } + } + } catch (\Exception $e) { + // Queue the exception to be thrown when sent + $this->removeErroredRequest($request, $e); + } + } + + /** + * Create a curl handle for a request + * + * @param RequestInterface $request Request + * + * @return CurlHandle + */ + protected function createCurlHandle(RequestInterface $request) + { + $wrapper = CurlHandle::factory($request); + $this->handles[$request] = $wrapper; + $this->resourceHash[(int) $wrapper->getHandle()] = $request; + + return $wrapper; + } + + /** + * Get the data from the multi handle + */ + protected function perform() + { + if (!$this->requests) { + return; + } + + // Initialize the handles with a very quick select timeout + $active = $mrc = null; + $this->executeHandles($active, $mrc, 0.001); + $event = new Event(array('curl_multi' => $this)); + $this->processMessages(); + + while ($this->requests) { + + // Notify each request as polling + $blocking = $total = 0; + foreach ($this->requests as $request) { + ++$total; + $event['request'] = $request; + $request->getEventDispatcher()->dispatch(self::POLLING_REQUEST, $event); + // The blocking variable just has to be non-falsey to block the loop + if ($request->getParams()->hasKey(self::BLOCKING)) { + ++$blocking; + } + } + + if ($blocking == $total) { + // Sleep to prevent eating CPU because no requests are actually pending a select call + usleep(500); + } else { + do { + $this->executeHandles($active, $mrc, 1); + } while ($active); + } + $this->processMessages(); + } + } + + /** + * Process any received curl multi messages + */ + private function processMessages() + { + // Get messages from curl handles + while ($done = curl_multi_info_read($this->multiHandle)) { + try { + $request = $this->resourceHash[(int) $done['handle']]; + $this->processResponse($request, $this->handles[$request], $done); + $this->successful[] = $request; + } catch (MultiTransferException $e) { + $this->removeErroredRequest($request, $e, false); + throw $e; + } catch (\Exception $e) { + $this->removeErroredRequest($request, $e); + } + } + } + + /** + * Execute and select curl handles until there is activity + * + * @param int $active Active value to update + * @param int $mrc Multi result value to update + * @param int $timeout Select timeout in seconds + */ + private function executeHandles(&$active, &$mrc, $timeout = 1) + { + do { + $mrc = curl_multi_exec($this->multiHandle, $active); + } while ($mrc == CURLM_CALL_MULTI_PERFORM && $active); + $this->checkCurlResult($mrc); + + // @codeCoverageIgnoreStart + // Select the curl handles until there is any activity on any of the open file descriptors + // See https://github.com/php/php-src/blob/master/ext/curl/multi.c#L170 + if ($active && $mrc == CURLM_OK && curl_multi_select($this->multiHandle, $timeout) == -1) { + // Perform a usleep if a previously executed select returned -1 + // @see https://bugs.php.net/bug.php?id=61141 + usleep(100); + } + // @codeCoverageIgnoreEnd + } + + /** + * Remove a request that encountered an exception + * + * @param RequestInterface $request Request to remove + * @param \Exception $e Exception encountered + * @param bool $buffer Set to false to not buffer the exception + */ + protected function removeErroredRequest(RequestInterface $request, \Exception $e = null, $buffer = true) + { + if ($buffer) { + $this->exceptions[] = array('request' => $request, 'exception' => $e); + } + + $this->remove($request); + $this->dispatch(self::MULTI_EXCEPTION, array('exception' => $e, 'all_exceptions' => $this->exceptions)); + } + + /** + * Check for errors and fix headers of a request based on a curl response + * + * @param RequestInterface $request Request to process + * @param CurlHandle $handle Curl handle object + * @param array $curl Array returned from curl_multi_info_read + * + * @throws CurlException on Curl error + */ + protected function processResponse(RequestInterface $request, CurlHandle $handle, array $curl) + { + // Set the transfer stats on the response + $handle->updateRequestFromTransfer($request); + // Check if a cURL exception occurred, and if so, notify things + $curlException = $this->isCurlException($request, $handle, $curl); + + // Always remove completed curl handles. They can be added back again + // via events if needed (e.g. ExponentialBackoffPlugin) + $this->removeHandle($request); + + if (!$curlException) { + $state = $request->setState(RequestInterface::STATE_COMPLETE, array('handle' => $handle)); + // Only remove the request if it wasn't resent as a result of the state change + if ($state != RequestInterface::STATE_TRANSFER) { + $this->remove($request); + } + } else { + // Set the state of the request to an error + $state = $request->setState(RequestInterface::STATE_ERROR, array('exception' => $curlException)); + // Allow things to ignore the error if possible + if ($state != RequestInterface::STATE_TRANSFER) { + $this->remove($request); + } + // The error was not handled, so fail + if ($state == RequestInterface::STATE_ERROR) { + /** @var CurlException $curlException */ + throw $curlException; + } + } + } + + /** + * Remove a curl handle from the curl multi object + * + * @param RequestInterface $request Request that owns the handle + */ + protected function removeHandle(RequestInterface $request) + { + if (isset($this->handles[$request])) { + $handle = $this->handles[$request]; + unset($this->handles[$request]); + unset($this->resourceHash[(int) $handle->getHandle()]); + curl_multi_remove_handle($this->multiHandle, $handle->getHandle()); + $handle->close(); + } + } + + /** + * Check if a cURL transfer resulted in what should be an exception + * + * @param RequestInterface $request Request to check + * @param CurlHandle $handle Curl handle object + * @param array $curl Array returned from curl_multi_info_read + * + * @return CurlException|bool + */ + private function isCurlException(RequestInterface $request, CurlHandle $handle, array $curl) + { + if (CURLM_OK == $curl['result'] || CURLM_CALL_MULTI_PERFORM == $curl['result']) { + return false; + } + + $handle->setErrorNo($curl['result']); + $e = new CurlException(sprintf('[curl] %s: %s [url] %s', + $handle->getErrorNo(), $handle->getError(), $handle->getUrl())); + $e->setCurlHandle($handle) + ->setRequest($request) + ->setCurlInfo($handle->getInfo()) + ->setError($handle->getError(), $handle->getErrorNo()); + + return $e; + } + + /** + * Throw an exception for a cURL multi response if needed + * + * @param int $code Curl response code + * @throws CurlException + */ + private function checkCurlResult($code) + { + if ($code != CURLM_OK && $code != CURLM_CALL_MULTI_PERFORM) { + throw new CurlException(isset($this->multiErrors[$code]) + ? "cURL error: {$code} ({$this->multiErrors[$code][0]}): cURL message: {$this->multiErrors[$code][1]}" + : 'Unexpected cURL error: ' . $code + ); + } + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Http/Curl/CurlMultiInterface.php b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Http/Curl/CurlMultiInterface.php new file mode 100644 index 0000000000..0ead757350 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Http/Curl/CurlMultiInterface.php @@ -0,0 +1,58 @@ +maxHandles = $maxHandles; + // You can get some weird "Too many open files" errors when sending a large amount of requests in parallel. + // These two statements autoload classes before a system runs out of file descriptors so that you can get back + // valuable error messages if you run out. + class_exists('Guzzle\Http\Message\Response'); + class_exists('Guzzle\Http\Exception\CurlException'); + } + + public function add(RequestInterface $request) + { + $this->queued[] = $request; + + return $this; + } + + public function all() + { + $requests = $this->queued; + foreach ($this->handles as $handle) { + $requests = array_merge($requests, $handle->all()); + } + + return $requests; + } + + public function remove(RequestInterface $request) + { + foreach ($this->queued as $i => $r) { + if ($request === $r) { + unset($this->queued[$i]); + return true; + } + } + + foreach ($this->handles as $handle) { + if ($handle->remove($request)) { + return true; + } + } + + return false; + } + + public function reset($hard = false) + { + $this->queued = array(); + $this->groups = array(); + foreach ($this->handles as $handle) { + $handle->reset(); + } + if ($hard) { + $this->handles = array(); + } + + return $this; + } + + public function send() + { + if ($this->queued) { + $group = $this->getAvailableHandle(); + // Add this handle to a list of handles than is claimed + $this->groups[] = $group; + while ($request = array_shift($this->queued)) { + $group->add($request); + } + try { + $group->send(); + array_pop($this->groups); + $this->cleanupHandles(); + } catch (\Exception $e) { + // Remove the group and cleanup if an exception was encountered and no more requests in group + if (!$group->count()) { + array_pop($this->groups); + $this->cleanupHandles(); + } + throw $e; + } + } + } + + public function count() + { + return count($this->all()); + } + + /** + * Get an existing available CurlMulti handle or create a new one + * + * @return CurlMulti + */ + protected function getAvailableHandle() + { + // Grab a handle that is not claimed + foreach ($this->handles as $h) { + if (!in_array($h, $this->groups, true)) { + return $h; + } + } + + // All are claimed, so create one + $handle = new CurlMulti(); + $handle->setEventDispatcher($this->getEventDispatcher()); + $this->handles[] = $handle; + + return $handle; + } + + /** + * Trims down unused CurlMulti handles to limit the number of open connections + */ + protected function cleanupHandles() + { + if ($diff = max(0, count($this->handles) - $this->maxHandles)) { + for ($i = count($this->handles) - 1; $i > 0 && $diff > 0; $i--) { + if (!count($this->handles[$i])) { + unset($this->handles[$i]); + $diff--; + } + } + $this->handles = array_values($this->handles); + } + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Http/Curl/CurlVersion.php b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Http/Curl/CurlVersion.php new file mode 100644 index 0000000000..c3f99dd25d --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Http/Curl/CurlVersion.php @@ -0,0 +1,66 @@ +version) { + $this->version = curl_version(); + } + + return $this->version; + } + + /** + * Get a specific type of curl information + * + * @param string $type Version information to retrieve. This value is one of: + * - version_number: cURL 24 bit version number + * - version: cURL version number, as a string + * - ssl_version_number: OpenSSL 24 bit version number + * - ssl_version: OpenSSL version number, as a string + * - libz_version: zlib version number, as a string + * - host: Information about the host where cURL was built + * - features: A bitmask of the CURL_VERSION_XXX constants + * - protocols: An array of protocols names supported by cURL + * + * @return string|float|bool if the $type is found, and false if not found + */ + public function get($type) + { + $version = $this->getAll(); + + return isset($version[$type]) ? $version[$type] : false; + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Http/Curl/RequestMediator.php b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Http/Curl/RequestMediator.php new file mode 100644 index 0000000000..0a70c626bf --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Http/Curl/RequestMediator.php @@ -0,0 +1,145 @@ +request = $request; + $this->emitIo = $emitIo; + } + + /** + * Receive a response header from curl + * + * @param resource $curl Curl handle + * @param string $header Received header + * + * @return int + */ + public function receiveResponseHeader($curl, $header) + { + static $normalize = array("\r", "\n"); + $length = strlen($header); + $header = str_replace($normalize, '', $header); + + if (strpos($header, 'HTTP/') === 0) { + + $startLine = explode(' ', $header, 3); + $code = $startLine[1]; + $status = isset($startLine[2]) ? $startLine[2] : ''; + + // Only download the body of the response to the specified response + // body when a successful response is received. + if ($code >= 200 && $code < 300) { + $body = $this->request->getResponseBody(); + } else { + $body = EntityBody::factory(); + } + + $response = new Response($code, null, $body); + $response->setStatus($code, $status); + $this->request->startResponse($response); + + $this->request->dispatch('request.receive.status_line', array( + 'request' => $this, + 'line' => $header, + 'status_code' => $code, + 'reason_phrase' => $status + )); + + } elseif ($pos = strpos($header, ':')) { + $this->request->getResponse()->addHeader( + trim(substr($header, 0, $pos)), + trim(substr($header, $pos + 1)) + ); + } + + return $length; + } + + /** + * Received a progress notification + * + * @param int $downloadSize Total download size + * @param int $downloaded Amount of bytes downloaded + * @param int $uploadSize Total upload size + * @param int $uploaded Amount of bytes uploaded + * @param resource $handle CurlHandle object + */ + public function progress($downloadSize, $downloaded, $uploadSize, $uploaded, $handle = null) + { + $this->request->dispatch('curl.callback.progress', array( + 'request' => $this->request, + 'handle' => $handle, + 'download_size' => $downloadSize, + 'downloaded' => $downloaded, + 'upload_size' => $uploadSize, + 'uploaded' => $uploaded + )); + } + + /** + * Write data to the response body of a request + * + * @param resource $curl Curl handle + * @param string $write Data that was received + * + * @return int + */ + public function writeResponseBody($curl, $write) + { + if ($this->emitIo) { + $this->request->dispatch('curl.callback.write', array( + 'request' => $this->request, + 'write' => $write + )); + } + + return $this->request->getResponse()->getBody()->write($write); + } + + /** + * Read data from the request body and send it to curl + * + * @param resource $ch Curl handle + * @param resource $fd File descriptor + * @param int $length Amount of data to read + * + * @return string + */ + public function readRequestBody($ch, $fd, $length) + { + $read = ''; + + if ($this->request->getBody()) { + $read = $this->request->getBody()->read($length); + if ($this->emitIo) { + $this->request->dispatch('curl.callback.read', array( + 'request' => $this->request, + 'read' => $read + )); + } + } + + return !$read ? '' : $read; + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Http/EntityBody.php b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Http/EntityBody.php new file mode 100644 index 0000000000..625be6ee17 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Http/EntityBody.php @@ -0,0 +1,199 @@ +rewindFunction = $callable; + + return $this; + } + + public function rewind() + { + return $this->rewindFunction ? call_user_func($this->rewindFunction, $this) : parent::rewind(); + } + + /** + * Create a new EntityBody from a string + * + * @param string $string String of data + * + * @return EntityBody + */ + public static function fromString($string) + { + $stream = fopen('php://temp', 'r+'); + if ($string !== '') { + fwrite($stream, $string); + rewind($stream); + } + + return new static($stream); + } + + public function compress($filter = 'zlib.deflate') + { + $result = $this->handleCompression($filter); + $this->contentEncoding = $result ? $filter : false; + + return $result; + } + + public function uncompress($filter = 'zlib.inflate') + { + $offsetStart = 0; + + // When inflating gzipped data, the first 10 bytes must be stripped + // if a gzip header is present + if ($filter == 'zlib.inflate') { + // @codeCoverageIgnoreStart + if (!$this->isReadable() || ($this->isConsumed() && !$this->isSeekable())) { + return false; + } + // @codeCoverageIgnoreEnd + if (stream_get_contents($this->stream, 3, 0) === "\x1f\x8b\x08") { + $offsetStart = 10; + } + } + + $this->contentEncoding = false; + + return $this->handleCompression($filter, $offsetStart); + } + + public function getContentLength() + { + return $this->getSize(); + } + + public function getContentType() + { + return $this->getUri() ? Mimetypes::getInstance()->fromFilename($this->getUri()) : null; + } + + public function getContentMd5($rawOutput = false, $base64Encode = false) + { + $hash = self::getHash($this, 'md5', $rawOutput); + + return $hash && $base64Encode ? base64_encode($hash) : $hash; + } + + /** + * Calculate the MD5 hash of an entity body + * + * @param EntityBodyInterface $body Entity body to calculate the hash for + * @param bool $rawOutput Whether or not to use raw output + * @param bool $base64Encode Whether or not to base64 encode raw output (only if raw output is true) + * + * @return bool|string Returns an MD5 string on success or FALSE on failure + * @deprecated This will be deprecated soon + * @codeCoverageIgnore + */ + public static function calculateMd5(EntityBodyInterface $body, $rawOutput = false, $base64Encode = false) + { + Version::warn(__CLASS__ . ' is deprecated. Use getContentMd5()'); + return $body->getContentMd5($rawOutput, $base64Encode); + } + + public function setStreamFilterContentEncoding($streamFilterContentEncoding) + { + $this->contentEncoding = $streamFilterContentEncoding; + + return $this; + } + + public function getContentEncoding() + { + return strtr($this->contentEncoding, array( + 'zlib.deflate' => 'gzip', + 'bzip2.compress' => 'compress' + )) ?: false; + } + + protected function handleCompression($filter, $offsetStart = 0) + { + // @codeCoverageIgnoreStart + if (!$this->isReadable() || ($this->isConsumed() && !$this->isSeekable())) { + return false; + } + // @codeCoverageIgnoreEnd + + $handle = fopen('php://temp', 'r+'); + $filter = @stream_filter_append($handle, $filter, STREAM_FILTER_WRITE); + if (!$filter) { + return false; + } + + // Seek to the offset start if possible + $this->seek($offsetStart); + while ($data = fread($this->stream, 8096)) { + fwrite($handle, $data); + } + + fclose($this->stream); + $this->stream = $handle; + stream_filter_remove($filter); + $stat = fstat($this->stream); + $this->size = $stat['size']; + $this->rebuildCache(); + $this->seek(0); + + // Remove any existing rewind function as the underlying stream has been replaced + $this->rewindFunction = null; + + return true; + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Http/EntityBodyInterface.php b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Http/EntityBodyInterface.php new file mode 100644 index 0000000000..e640f57850 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Http/EntityBodyInterface.php @@ -0,0 +1,73 @@ +isClientError()) { + $label = 'Client error response'; + $class = __NAMESPACE__ . '\\ClientErrorResponseException'; + } elseif ($response->isServerError()) { + $label = 'Server error response'; + $class = __NAMESPACE__ . '\\ServerErrorResponseException'; + } else { + $label = 'Unsuccessful response'; + $class = __CLASS__; + $e = new self(); + } + + $message = $label . PHP_EOL . implode(PHP_EOL, array( + '[status code] ' . $response->getStatusCode(), + '[reason phrase] ' . $response->getReasonPhrase(), + '[url] ' . $request->getUrl(), + )); + + $e = new $class($message); + $e->setResponse($response); + $e->setRequest($request); + + return $e; + } + + /** + * Set the response that caused the exception + * + * @param Response $response Response to set + */ + public function setResponse(Response $response) + { + $this->response = $response; + } + + /** + * Get the response that caused the exception + * + * @return Response + */ + public function getResponse() + { + return $this->response; + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Http/Exception/ClientErrorResponseException.php b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Http/Exception/ClientErrorResponseException.php new file mode 100644 index 0000000000..04d7ddc05e --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Http/Exception/ClientErrorResponseException.php @@ -0,0 +1,8 @@ +curlError = $error; + $this->curlErrorNo = $number; + + return $this; + } + + /** + * Set the associated curl handle + * + * @param CurlHandle $handle Curl handle + * + * @return self + */ + public function setCurlHandle(CurlHandle $handle) + { + $this->handle = $handle; + + return $this; + } + + /** + * Get the associated cURL handle + * + * @return CurlHandle|null + */ + public function getCurlHandle() + { + return $this->handle; + } + + /** + * Get the associated cURL error message + * + * @return string|null + */ + public function getError() + { + return $this->curlError; + } + + /** + * Get the associated cURL error number + * + * @return int|null + */ + public function getErrorNo() + { + return $this->curlErrorNo; + } + + /** + * Returns curl information about the transfer + * + * @return array + */ + public function getCurlInfo() + { + return $this->curlInfo; + } + + /** + * Set curl transfer information + * + * @param array $info Array of curl transfer information + * + * @return self + * @link http://php.net/manual/en/function.curl-getinfo.php + */ + public function setCurlInfo(array $info) + { + $this->curlInfo = $info; + + return $this; + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Http/Exception/HttpException.php b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Http/Exception/HttpException.php new file mode 100644 index 0000000000..ee87295d36 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Http/Exception/HttpException.php @@ -0,0 +1,10 @@ +successfulRequests, $this->failedRequests); + } + + /** + * Add to the array of successful requests + * + * @param RequestInterface $request Successful request + * + * @return self + */ + public function addSuccessfulRequest(RequestInterface $request) + { + $this->successfulRequests[] = $request; + + return $this; + } + + /** + * Add to the array of failed requests + * + * @param RequestInterface $request Failed request + * + * @return self + */ + public function addFailedRequest(RequestInterface $request) + { + $this->failedRequests[] = $request; + + return $this; + } + + /** + * Set all of the successful requests + * + * @param array Array of requests + * + * @return self + */ + public function setSuccessfulRequests(array $requests) + { + $this->successfulRequests = $requests; + + return $this; + } + + /** + * Set all of the failed requests + * + * @param array Array of requests + * + * @return self + */ + public function setFailedRequests(array $requests) + { + $this->failedRequests = $requests; + + return $this; + } + + /** + * Get an array of successful requests sent in the multi transfer + * + * @return array + */ + public function getSuccessfulRequests() + { + return $this->successfulRequests; + } + + /** + * Get an array of failed requests sent in the multi transfer + * + * @return array + */ + public function getFailedRequests() + { + return $this->failedRequests; + } + + /** + * Check if the exception object contains a request + * + * @param RequestInterface $request Request to check + * + * @return bool + */ + public function containsRequest(RequestInterface $request) + { + return in_array($request, $this->failedRequests, true) || in_array($request, $this->successfulRequests, true); + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Http/Exception/RequestException.php b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Http/Exception/RequestException.php new file mode 100644 index 0000000000..274df2cb16 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Http/Exception/RequestException.php @@ -0,0 +1,39 @@ +request = $request; + + return $this; + } + + /** + * Get the request that caused the exception + * + * @return RequestInterface + */ + public function getRequest() + { + return $this->request; + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Http/Exception/ServerErrorResponseException.php b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Http/Exception/ServerErrorResponseException.php new file mode 100644 index 0000000000..f0f7cfe481 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Http/Exception/ServerErrorResponseException.php @@ -0,0 +1,8 @@ +eventDispatcher = $eventDispatcher; + + return $this; + } + + public function getEventDispatcher() + { + if (!$this->eventDispatcher) { + $this->eventDispatcher = new EventDispatcher(); + } + + return $this->eventDispatcher; + } + + public function dispatch($eventName, array $context = array()) + { + $this->getEventDispatcher()->dispatch($eventName, new Event($context)); + } + + /** + * {@inheritdoc} + * @codeCoverageIgnore + */ + public function addSubscriber(EventSubscriberInterface $subscriber) + { + $this->getEventDispatcher()->addSubscriber($subscriber); + + return $this; + } + + public function read($length) + { + $event = array( + 'body' => $this, + 'length' => $length, + 'read' => $this->body->read($length) + ); + $this->dispatch('body.read', $event); + + return $event['read']; + } + + public function write($string) + { + $event = array( + 'body' => $this, + 'write' => $string, + 'result' => $this->body->write($string) + ); + $this->dispatch('body.write', $event); + + return $event['result']; + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Http/Message/AbstractMessage.php b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Http/Message/AbstractMessage.php new file mode 100644 index 0000000000..0d066ffceb --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Http/Message/AbstractMessage.php @@ -0,0 +1,220 @@ +params = new Collection(); + $this->headerFactory = new HeaderFactory(); + $this->headers = new HeaderCollection(); + } + + /** + * Set the header factory to use to create headers + * + * @param HeaderFactoryInterface $factory + * + * @return self + */ + public function setHeaderFactory(HeaderFactoryInterface $factory) + { + $this->headerFactory = $factory; + + return $this; + } + + public function getParams() + { + return $this->params; + } + + public function addHeader($header, $value) + { + if (isset($this->headers[$header])) { + $this->headers[$header]->add($value); + } elseif ($value instanceof HeaderInterface) { + $this->headers[$header] = $value; + } else { + $this->headers[$header] = $this->headerFactory->createHeader($header, $value); + } + + return $this; + } + + public function addHeaders(array $headers) + { + foreach ($headers as $key => $value) { + $this->addHeader($key, $value); + } + + return $this; + } + + public function getHeader($header) + { + return $this->headers[$header]; + } + + public function getHeaders() + { + return $this->headers; + } + + public function getHeaderLines() + { + $headers = array(); + foreach ($this->headers as $value) { + $headers[] = $value->getName() . ': ' . $value; + } + + return $headers; + } + + public function setHeader($header, $value) + { + unset($this->headers[$header]); + $this->addHeader($header, $value); + + return $this; + } + + public function setHeaders(array $headers) + { + $this->headers->clear(); + foreach ($headers as $key => $value) { + $this->addHeader($key, $value); + } + + return $this; + } + + public function hasHeader($header) + { + return isset($this->headers[$header]); + } + + public function removeHeader($header) + { + unset($this->headers[$header]); + + return $this; + } + + /** + * @deprecated Use $message->getHeader()->parseParams() + * @codeCoverageIgnore + */ + public function getTokenizedHeader($header, $token = ';') + { + Version::warn(__METHOD__ . ' is deprecated. Use $message->getHeader()->parseParams()'); + if ($this->hasHeader($header)) { + $data = new Collection(); + foreach ($this->getHeader($header)->parseParams() as $values) { + foreach ($values as $key => $value) { + if ($value === '') { + $data->set($data->count(), $key); + } else { + $data->add($key, $value); + } + } + } + return $data; + } + } + + /** + * @deprecated + * @codeCoverageIgnore + */ + public function setTokenizedHeader($header, $data, $token = ';') + { + Version::warn(__METHOD__ . ' is deprecated.'); + return $this; + } + + /** + * @deprecated + * @codeCoverageIgnore + */ + public function getCacheControlDirective($directive) + { + Version::warn(__METHOD__ . ' is deprecated. Use $message->getHeader(\'Cache-Control\')->getDirective()'); + if (!($header = $this->getHeader('Cache-Control'))) { + return null; + } + + return $header->getDirective($directive); + } + + /** + * @deprecated + * @codeCoverageIgnore + */ + public function hasCacheControlDirective($directive) + { + Version::warn(__METHOD__ . ' is deprecated. Use $message->getHeader(\'Cache-Control\')->hasDirective()'); + if ($header = $this->getHeader('Cache-Control')) { + return $header->hasDirective($directive); + } else { + return false; + } + } + + /** + * @deprecated + * @codeCoverageIgnore + */ + public function addCacheControlDirective($directive, $value = true) + { + Version::warn(__METHOD__ . ' is deprecated. Use $message->getHeader(\'Cache-Control\')->addDirective()'); + if (!($header = $this->getHeader('Cache-Control'))) { + $this->addHeader('Cache-Control', ''); + $header = $this->getHeader('Cache-Control'); + } + + $header->addDirective($directive, $value); + + return $this; + } + + /** + * @deprecated + * @codeCoverageIgnore + */ + public function removeCacheControlDirective($directive) + { + Version::warn(__METHOD__ . ' is deprecated. Use $message->getHeader(\'Cache-Control\')->removeDirective()'); + if ($header = $this->getHeader('Cache-Control')) { + $header->removeDirective($directive); + } + + return $this; + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Http/Message/EntityEnclosingRequest.php b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Http/Message/EntityEnclosingRequest.php new file mode 100644 index 0000000000..d9c83d815b --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Http/Message/EntityEnclosingRequest.php @@ -0,0 +1,248 @@ +postFields = new QueryString(); + parent::__construct($method, $url, $headers); + } + + /** + * @return string + */ + public function __toString() + { + // Only attempt to include the POST data if it's only fields + if (count($this->postFields) && empty($this->postFiles)) { + return parent::__toString() . (string) $this->postFields; + } + + return parent::__toString() . $this->body; + } + + public function setState($state, array $context = array()) + { + parent::setState($state, $context); + if ($state == self::STATE_TRANSFER && !$this->body && !count($this->postFields) && !count($this->postFiles)) { + $this->setHeader('Content-Length', 0)->removeHeader('Transfer-Encoding'); + } + + return $this->state; + } + + public function setBody($body, $contentType = null) + { + $this->body = EntityBody::factory($body); + + // Auto detect the Content-Type from the path of the request if possible + if ($contentType === null && !$this->hasHeader('Content-Type')) { + $contentType = $this->body->getContentType() ?: Mimetypes::getInstance()->fromFilename($this->getPath()); + } + + if ($contentType) { + $this->setHeader('Content-Type', $contentType); + } + + // Always add the Expect 100-Continue header if the body cannot be rewound. This helps with redirects. + if (!$this->body->isSeekable() && $this->expectCutoff !== false) { + $this->setHeader('Expect', '100-Continue'); + } + + // Set the Content-Length header if it can be determined + $size = $this->body->getContentLength(); + if ($size !== null && $size !== false) { + $this->setHeader('Content-Length', $size); + if ($size > $this->expectCutoff) { + $this->setHeader('Expect', '100-Continue'); + } + } elseif (!$this->hasHeader('Content-Length')) { + if ('1.1' == $this->protocolVersion) { + $this->setHeader('Transfer-Encoding', 'chunked'); + } else { + throw new RequestException( + 'Cannot determine Content-Length and cannot use chunked Transfer-Encoding when using HTTP/1.0' + ); + } + } + + return $this; + } + + public function getBody() + { + return $this->body; + } + + /** + * Set the size that the entity body of the request must exceed before adding the Expect: 100-Continue header. + * + * @param int|bool $size Cutoff in bytes. Set to false to never send the expect header (even with non-seekable data) + * + * @return self + */ + public function setExpectHeaderCutoff($size) + { + $this->expectCutoff = $size; + if ($size === false || !$this->body) { + $this->removeHeader('Expect'); + } elseif ($this->body && $this->body->getSize() && $this->body->getSize() > $size) { + $this->setHeader('Expect', '100-Continue'); + } + + return $this; + } + + public function configureRedirects($strict = false, $maxRedirects = 5) + { + $this->getParams()->set(RedirectPlugin::STRICT_REDIRECTS, $strict); + if ($maxRedirects == 0) { + $this->getParams()->set(RedirectPlugin::DISABLE, true); + } else { + $this->getParams()->set(RedirectPlugin::MAX_REDIRECTS, $maxRedirects); + } + + return $this; + } + + public function getPostField($field) + { + return $this->postFields->get($field); + } + + public function getPostFields() + { + return $this->postFields; + } + + public function setPostField($key, $value) + { + $this->postFields->set($key, $value); + $this->processPostFields(); + + return $this; + } + + public function addPostFields($fields) + { + $this->postFields->merge($fields); + $this->processPostFields(); + + return $this; + } + + public function removePostField($field) + { + $this->postFields->remove($field); + $this->processPostFields(); + + return $this; + } + + public function getPostFiles() + { + return $this->postFiles; + } + + public function getPostFile($fieldName) + { + return isset($this->postFiles[$fieldName]) ? $this->postFiles[$fieldName] : null; + } + + public function removePostFile($fieldName) + { + unset($this->postFiles[$fieldName]); + $this->processPostFields(); + + return $this; + } + + public function addPostFile($field, $filename = null, $contentType = null) + { + $data = null; + + if ($field instanceof PostFileInterface) { + $data = $field; + } elseif (is_array($filename)) { + // Allow multiple values to be set in a single key + foreach ($filename as $file) { + $this->addPostFile($field, $file, $contentType); + } + return $this; + } elseif (!is_string($filename)) { + throw new RequestException('The path to a file must be a string'); + } elseif (!empty($filename)) { + // Adding an empty file will cause cURL to error out + $data = new PostFile($field, $filename, $contentType); + } + + if ($data) { + if (!isset($this->postFiles[$data->getFieldName()])) { + $this->postFiles[$data->getFieldName()] = array($data); + } else { + $this->postFiles[$data->getFieldName()][] = $data; + } + $this->processPostFields(); + } + + return $this; + } + + public function addPostFiles(array $files) + { + foreach ($files as $key => $file) { + if ($file instanceof PostFileInterface) { + $this->addPostFile($file, null, null, false); + } elseif (is_string($file)) { + // Convert non-associative array keys into 'file' + if (is_numeric($key)) { + $key = 'file'; + } + $this->addPostFile($key, $file, null, false); + } else { + throw new RequestException('File must be a string or instance of PostFileInterface'); + } + } + + return $this; + } + + /** + * Determine what type of request should be sent based on post fields + */ + protected function processPostFields() + { + if (!$this->postFiles) { + $this->removeHeader('Expect')->setHeader('Content-Type', self::URL_ENCODED); + } else { + $this->setHeader('Content-Type', self::MULTIPART); + if ($this->expectCutoff !== false) { + $this->setHeader('Expect', '100-Continue'); + } + } + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Http/Message/EntityEnclosingRequestInterface.php b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Http/Message/EntityEnclosingRequestInterface.php new file mode 100644 index 0000000000..d9c037de68 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Http/Message/EntityEnclosingRequestInterface.php @@ -0,0 +1,136 @@ + filenames where filename can be a string or PostFileInterface + * + * @return self + */ + public function addPostFiles(array $files); + + /** + * Configure how redirects are handled for the request + * + * @param bool $strict Set to true to follow strict RFC compliance when redirecting POST requests. Most + * browsers with follow a 301-302 redirect for a POST request with a GET request. This is + * the default behavior of Guzzle. Enable strict redirects to redirect these responses + * with a POST rather than a GET request. + * @param int $maxRedirects Specify the maximum number of allowed redirects. Set to 0 to disable redirects. + * + * @return self + */ + public function configureRedirects($strict = false, $maxRedirects = 5); +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Http/Message/Header.php b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Http/Message/Header.php new file mode 100644 index 0000000000..3e82176a89 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Http/Message/Header.php @@ -0,0 +1,180 @@ +header = trim($header); + $this->glue = $glue; + + foreach ((array) $values as $value) { + foreach ((array) $value as $v) { + $this->values[] = $v; + } + } + } + + public function __toString() + { + return implode($this->glue . ' ', $this->toArray()); + } + + public function add($value) + { + $this->values[] = $value; + + return $this; + } + + public function getName() + { + return $this->header; + } + + public function setName($name) + { + $this->header = $name; + + return $this; + } + + public function setGlue($glue) + { + $this->glue = $glue; + + return $this; + } + + public function getGlue() + { + return $this->glue; + } + + /** + * Normalize the header to be a single header with an array of values. + * + * If any values of the header contains the glue string value (e.g. ","), then the value will be exploded into + * multiple entries in the header. + * + * @return self + */ + public function normalize() + { + $values = $this->toArray(); + + for ($i = 0, $total = count($values); $i < $total; $i++) { + if (strpos($values[$i], $this->glue) !== false) { + foreach (explode($this->glue, $values[$i]) as $v) { + $values[] = trim($v); + } + unset($values[$i]); + } + } + + $this->values = array_values($values); + + return $this; + } + + public function hasValue($searchValue) + { + return in_array($searchValue, $this->toArray()); + } + + public function removeValue($searchValue) + { + $this->values = array_values(array_filter($this->values, function ($value) use ($searchValue) { + return $value != $searchValue; + })); + + return $this; + } + + public function toArray() + { + return $this->values; + } + + public function count() + { + return count($this->toArray()); + } + + public function getIterator() + { + return new \ArrayIterator($this->toArray()); + } + + /** + * {@inheritdoc} + * @todo Do not split semicolons when enclosed in quotes (e.g. foo="baz;bar") + */ + public function parseParams() + { + $params = array(); + $callback = array($this, 'trimHeader'); + + // Normalize the header into a single array and iterate over all values + foreach ($this->normalize()->toArray() as $val) { + $part = array(); + foreach (explode(';', $val) as $kvp) { + $pieces = array_map($callback, explode('=', $kvp, 2)); + $part[$pieces[0]] = isset($pieces[1]) ? $pieces[1] : ''; + } + $params[] = $part; + } + + return $params; + } + + /** + * @deprecated + * @codeCoverageIgnore + */ + public function hasExactHeader($header) + { + Version::warn(__METHOD__ . ' is deprecated'); + return $this->header == $header; + } + + /** + * @deprecated + * @codeCoverageIgnore + */ + public function raw() + { + Version::warn(__METHOD__ . ' is deprecated. Use toArray()'); + return $this->toArray(); + } + + /** + * Trim a header by removing excess spaces and wrapping quotes + * + * @param $str + * + * @return string + */ + protected function trimHeader($str) + { + static $trimmed = "\"' \n\t"; + + return trim($str, $trimmed); + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Http/Message/Header/CacheControl.php b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Http/Message/Header/CacheControl.php new file mode 100644 index 0000000000..77789e51fd --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Http/Message/Header/CacheControl.php @@ -0,0 +1,121 @@ +directives = null; + } + + public function removeValue($searchValue) + { + parent::removeValue($searchValue); + $this->directives = null; + } + + /** + * Check if a specific cache control directive exists + * + * @param string $param Directive to retrieve + * + * @return bool + */ + public function hasDirective($param) + { + $directives = $this->getDirectives(); + + return isset($directives[$param]); + } + + /** + * Get a specific cache control directive + * + * @param string $param Directive to retrieve + * + * @return string|bool|null + */ + public function getDirective($param) + { + $directives = $this->getDirectives(); + + return isset($directives[$param]) ? $directives[$param] : null; + } + + /** + * Add a cache control directive + * + * @param string $param Directive to add + * @param string $value Value to set + * + * @return self + */ + public function addDirective($param, $value) + { + $directives = $this->getDirectives(); + $directives[$param] = $value; + $this->updateFromDirectives($directives); + + return $this; + } + + /** + * Remove a cache control directive by name + * + * @param string $param Directive to remove + * + * @return self + */ + public function removeDirective($param) + { + $directives = $this->getDirectives(); + unset($directives[$param]); + $this->updateFromDirectives($directives); + + return $this; + } + + /** + * Get an associative array of cache control directives + * + * @return array + */ + public function getDirectives() + { + if ($this->directives === null) { + $this->directives = array(); + foreach ($this->parseParams() as $collection) { + foreach ($collection as $key => $value) { + $this->directives[$key] = $value === '' ? true : $value; + } + } + } + + return $this->directives; + } + + /** + * Updates the header value based on the parsed directives + * + * @param array $directives Array of cache control directives + */ + protected function updateFromDirectives(array $directives) + { + $this->directives = $directives; + $this->values = array(); + + foreach ($directives as $key => $value) { + $this->values[] = $value === true ? $key : "{$key}={$value}"; + } + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Http/Message/Header/HeaderCollection.php b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Http/Message/Header/HeaderCollection.php new file mode 100644 index 0000000000..ec282d9a91 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Http/Message/Header/HeaderCollection.php @@ -0,0 +1,109 @@ +headers = $headers; + } + + public function __clone() + { + foreach ($this->headers as &$header) { + $header = clone $header; + } + } + + /** + * Clears the header collection + */ + public function clear() + { + $this->headers = array(); + } + + /** + * Set a header on the collection + * + * @param HeaderInterface $header Header to add + * + * @return self + */ + public function add(HeaderInterface $header) + { + $this->headers[strtolower($header->getName())] = $header; + + return $this; + } + + /** + * Get an array of header objects + * + * @return array + */ + public function getAll() + { + return $this->headers; + } + + /** + * Alias of offsetGet + */ + public function get($key) + { + return $this->offsetGet($key); + } + + public function count() + { + return count($this->headers); + } + + public function offsetExists($offset) + { + return isset($this->headers[strtolower($offset)]); + } + + public function offsetGet($offset) + { + $l = strtolower($offset); + + return isset($this->headers[$l]) ? $this->headers[$l] : null; + } + + public function offsetSet($offset, $value) + { + $this->add($value); + } + + public function offsetUnset($offset) + { + unset($this->headers[strtolower($offset)]); + } + + public function getIterator() + { + return new \ArrayIterator($this->headers); + } + + public function toArray() + { + $result = array(); + foreach ($this->headers as $header) { + $result[$header->getName()] = $header->toArray(); + } + + return $result; + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Http/Message/Header/HeaderFactory.php b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Http/Message/Header/HeaderFactory.php new file mode 100644 index 0000000000..0273be52f8 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Http/Message/Header/HeaderFactory.php @@ -0,0 +1,26 @@ + 'Guzzle\Http\Message\Header\CacheControl', + 'link' => 'Guzzle\Http\Message\Header\Link', + ); + + public function createHeader($header, $value = null) + { + $lowercase = strtolower($header); + + return isset($this->mapping[$lowercase]) + ? new $this->mapping[$lowercase]($header, $value) + : new Header($header, $value); + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Http/Message/Header/HeaderFactoryInterface.php b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Http/Message/Header/HeaderFactoryInterface.php new file mode 100644 index 0000000000..9457cf64a1 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Http/Message/Header/HeaderFactoryInterface.php @@ -0,0 +1,19 @@ +", "rel=\"{$rel}\""); + + foreach ($params as $k => $v) { + $values[] = "{$k}=\"{$v}\""; + } + + return $this->add(implode('; ', $values)); + } + + /** + * Check if a specific link exists for a given rel attribute + * + * @param string $rel rel value + * + * @return bool + */ + public function hasLink($rel) + { + return $this->getLink($rel) !== null; + } + + /** + * Get a specific link for a given rel attribute + * + * @param string $rel Rel value + * + * @return array|null + */ + public function getLink($rel) + { + foreach ($this->getLinks() as $link) { + if (isset($link['rel']) && $link['rel'] == $rel) { + return $link; + } + } + + return null; + } + + /** + * Get an associative array of links + * + * For example: + * Link: ; rel=front; type="image/jpeg", ; rel=back; type="image/jpeg" + * + * + * var_export($response->getLinks()); + * array( + * array( + * 'url' => 'http:/.../front.jpeg', + * 'rel' => 'back', + * 'type' => 'image/jpeg', + * ) + * ) + * + * + * @return array + */ + public function getLinks() + { + $links = $this->parseParams(); + + foreach ($links as &$link) { + $key = key($link); + unset($link[$key]); + $link['url'] = trim($key, '<> '); + } + + return $links; + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Http/Message/MessageInterface.php b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Http/Message/MessageInterface.php new file mode 100644 index 0000000000..62bcd43913 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Http/Message/MessageInterface.php @@ -0,0 +1,102 @@ +fieldName = $fieldName; + $this->setFilename($filename); + $this->contentType = $contentType ?: $this->guessContentType(); + } + + public function setFieldName($name) + { + $this->fieldName = $name; + + return $this; + } + + public function getFieldName() + { + return $this->fieldName; + } + + public function setFilename($filename) + { + // Remove leading @ symbol + if (strpos($filename, '@') === 0) { + $filename = substr($filename, 1); + } + + if (!is_readable($filename)) { + throw new InvalidArgumentException("Unable to open {$filename} for reading"); + } + + $this->filename = $filename; + + return $this; + } + + public function getFilename() + { + return $this->filename; + } + + public function setContentType($type) + { + $this->contentType = $type; + + return $this; + } + + public function getContentType() + { + return $this->contentType; + } + + public function getCurlValue() + { + // PHP 5.5 introduced a CurlFile object that deprecates the old @filename syntax + // See: https://wiki.php.net/rfc/curl-file-upload + if (function_exists('curl_file_create')) { + return curl_file_create($this->filename, $this->contentType, basename($this->filename)); + } + + // Use the old style if using an older version of PHP + $value = "@{$this->filename};filename=" . basename($this->filename); + if ($this->contentType) { + $value .= ';type=' . $this->contentType; + } + + return $value; + } + + /** + * @deprecated + * @codeCoverageIgnore + */ + public function getCurlString() + { + Version::warn(__METHOD__ . ' is deprecated. Use getCurlValue()'); + return $this->getCurlValue(); + } + + /** + * Determine the Content-Type of the file + */ + protected function guessContentType() + { + return Mimetypes::getInstance()->fromFilename($this->filename) ?: 'application/octet-stream'; + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Http/Message/PostFileInterface.php b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Http/Message/PostFileInterface.php new file mode 100644 index 0000000000..99dc706946 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Http/Message/PostFileInterface.php @@ -0,0 +1,67 @@ +method = strtoupper($method); + $this->curlOptions = new Collection(); + $this->setUrl($url); + + if ($headers) { + // Special handling for multi-value headers + foreach ($headers as $key => $value) { + // Deal with collisions with Host and Authorization + if ($key == 'host' || $key == 'Host') { + $this->setHeader($key, $value); + } elseif ($value instanceof HeaderInterface) { + $this->addHeader($key, $value); + } else { + foreach ((array) $value as $v) { + $this->addHeader($key, $v); + } + } + } + } + + $this->setState(self::STATE_NEW); + } + + public function __clone() + { + if ($this->eventDispatcher) { + $this->eventDispatcher = clone $this->eventDispatcher; + } + $this->curlOptions = clone $this->curlOptions; + $this->params = clone $this->params; + $this->url = clone $this->url; + $this->response = $this->responseBody = null; + $this->headers = clone $this->headers; + + $this->setState(RequestInterface::STATE_NEW); + $this->dispatch('request.clone', array('request' => $this)); + } + + /** + * Get the HTTP request as a string + * + * @return string + */ + public function __toString() + { + return $this->getRawHeaders() . "\r\n\r\n"; + } + + /** + * Default method that will throw exceptions if an unsuccessful response is received. + * + * @param Event $event Received + * @throws BadResponseException if the response is not successful + */ + public static function onRequestError(Event $event) + { + $e = BadResponseException::factory($event['request'], $event['response']); + $event['request']->setState(self::STATE_ERROR, array('exception' => $e) + $event->toArray()); + throw $e; + } + + public function setClient(ClientInterface $client) + { + $this->client = $client; + + return $this; + } + + public function getClient() + { + return $this->client; + } + + public function getRawHeaders() + { + $protocolVersion = $this->protocolVersion ?: '1.1'; + + return trim($this->method . ' ' . $this->getResource()) . ' ' + . strtoupper(str_replace('https', 'http', $this->url->getScheme())) + . '/' . $protocolVersion . "\r\n" . implode("\r\n", $this->getHeaderLines()); + } + + public function setUrl($url) + { + if ($url instanceof Url) { + $this->url = $url; + } else { + $this->url = Url::factory($url); + } + + // Update the port and host header + $this->setPort($this->url->getPort()); + + if ($this->url->getUsername() || $this->url->getPassword()) { + $this->setAuth($this->url->getUsername(), $this->url->getPassword()); + // Remove the auth info from the URL + $this->url->setUsername(null); + $this->url->setPassword(null); + } + + return $this; + } + + public function send() + { + if (!$this->client) { + throw new RuntimeException('A client must be set on the request'); + } + + return $this->client->send($this); + } + + public function getResponse() + { + return $this->response; + } + + public function getQuery($asString = false) + { + return $asString + ? (string) $this->url->getQuery() + : $this->url->getQuery(); + } + + public function getMethod() + { + return $this->method; + } + + public function getScheme() + { + return $this->url->getScheme(); + } + + public function setScheme($scheme) + { + $this->url->setScheme($scheme); + + return $this; + } + + public function getHost() + { + return $this->url->getHost(); + } + + public function setHost($host) + { + $this->url->setHost($host); + $this->setPort($this->url->getPort()); + + return $this; + } + + public function getProtocolVersion() + { + return $this->protocolVersion; + } + + public function setProtocolVersion($protocol) + { + $this->protocolVersion = $protocol; + + return $this; + } + + public function getPath() + { + return '/' . ltrim($this->url->getPath(), '/'); + } + + public function setPath($path) + { + $this->url->setPath($path); + + return $this; + } + + public function getPort() + { + return $this->url->getPort(); + } + + public function setPort($port) + { + $this->url->setPort($port); + + // Include the port in the Host header if it is not the default port for the scheme of the URL + $scheme = $this->url->getScheme(); + if (($scheme == 'http' && $port != 80) || ($scheme == 'https' && $port != 443)) { + $this->headers['host'] = $this->headerFactory->createHeader('Host', $this->url->getHost() . ':' . $port); + } else { + $this->headers['host'] = $this->headerFactory->createHeader('Host', $this->url->getHost()); + } + + return $this; + } + + public function getUsername() + { + return $this->username; + } + + public function getPassword() + { + return $this->password; + } + + public function setAuth($user, $password = '', $scheme = CURLAUTH_BASIC) + { + static $authMap = array( + 'basic' => CURLAUTH_BASIC, + 'digest' => CURLAUTH_DIGEST, + 'ntlm' => CURLAUTH_NTLM, + 'any' => CURLAUTH_ANY + ); + + // If we got false or null, disable authentication + if (!$user) { + $this->password = $this->username = null; + $this->removeHeader('Authorization'); + $this->getCurlOptions()->remove(CURLOPT_HTTPAUTH); + return $this; + } + + if (!is_numeric($scheme)) { + $scheme = strtolower($scheme); + if (!isset($authMap[$scheme])) { + throw new InvalidArgumentException($scheme . ' is not a valid authentication type'); + } + $scheme = $authMap[$scheme]; + } + + $this->username = $user; + $this->password = $password; + + // Bypass CURL when using basic auth to promote connection reuse + if ($scheme == CURLAUTH_BASIC) { + $this->getCurlOptions()->remove(CURLOPT_HTTPAUTH); + $this->setHeader('Authorization', 'Basic ' . base64_encode($this->username . ':' . $this->password)); + } else { + $this->getCurlOptions() + ->set(CURLOPT_HTTPAUTH, $scheme) + ->set(CURLOPT_USERPWD, $this->username . ':' . $this->password); + } + + return $this; + } + + public function getResource() + { + $resource = $this->getPath(); + if ($query = (string) $this->url->getQuery()) { + $resource .= '?' . $query; + } + + return $resource; + } + + public function getUrl($asObject = false) + { + return $asObject ? clone $this->url : (string) $this->url; + } + + public function getState() + { + return $this->state; + } + + public function setState($state, array $context = array()) + { + $oldState = $this->state; + $this->state = $state; + + switch ($state) { + case self::STATE_NEW: + $this->response = null; + break; + case self::STATE_TRANSFER: + if ($oldState !== $state) { + // Fix Content-Length and Transfer-Encoding collisions + if ($this->hasHeader('Transfer-Encoding') && $this->hasHeader('Content-Length')) { + $this->removeHeader('Transfer-Encoding'); + } + $this->dispatch('request.before_send', array('request' => $this)); + } + break; + case self::STATE_COMPLETE: + if ($oldState !== $state) { + $this->processResponse($context); + $this->responseBody = null; + } + break; + case self::STATE_ERROR: + if (isset($context['exception'])) { + $this->dispatch('request.exception', array( + 'request' => $this, + 'response' => isset($context['response']) ? $context['response'] : $this->response, + 'exception' => isset($context['exception']) ? $context['exception'] : null + )); + } + } + + return $this->state; + } + + public function getCurlOptions() + { + return $this->curlOptions; + } + + public function startResponse(Response $response) + { + $this->state = self::STATE_TRANSFER; + $response->setEffectiveUrl((string) $this->getUrl()); + $this->response = $response; + + return $this; + } + + public function setResponse(Response $response, $queued = false) + { + $response->setEffectiveUrl((string) $this->url); + + if ($queued) { + $ed = $this->getEventDispatcher(); + $ed->addListener('request.before_send', $f = function ($e) use ($response, &$f, $ed) { + $e['request']->setResponse($response); + $ed->removeListener('request.before_send', $f); + }, -9999); + } else { + $this->response = $response; + // If a specific response body is specified, then use it instead of the response's body + if ($this->responseBody && !$this->responseBody->getCustomData('default') && !$response->isRedirect()) { + $this->getResponseBody()->write((string) $this->response->getBody()); + } else { + $this->responseBody = $this->response->getBody(); + } + $this->setState(self::STATE_COMPLETE); + } + + return $this; + } + + public function setResponseBody($body) + { + // Attempt to open a file for writing if a string was passed + if (is_string($body)) { + // @codeCoverageIgnoreStart + if (!($body = fopen($body, 'w+'))) { + throw new InvalidArgumentException('Could not open ' . $body . ' for writing'); + } + // @codeCoverageIgnoreEnd + } + + $this->responseBody = EntityBody::factory($body); + + return $this; + } + + public function getResponseBody() + { + if ($this->responseBody === null) { + $this->responseBody = EntityBody::factory()->setCustomData('default', true); + } + + return $this->responseBody; + } + + /** + * Determine if the response body is repeatable (readable + seekable) + * + * @return bool + * @deprecated Use getResponseBody()->isSeekable() + * @codeCoverageIgnore + */ + public function isResponseBodyRepeatable() + { + Version::warn(__METHOD__ . ' is deprecated. Use $request->getResponseBody()->isRepeatable()'); + return !$this->responseBody ? true : $this->responseBody->isRepeatable(); + } + + public function getCookies() + { + if ($cookie = $this->getHeader('Cookie')) { + $data = ParserRegistry::getInstance()->getParser('cookie')->parseCookie($cookie); + return $data['cookies']; + } + + return array(); + } + + public function getCookie($name) + { + $cookies = $this->getCookies(); + + return isset($cookies[$name]) ? $cookies[$name] : null; + } + + public function addCookie($name, $value) + { + if (!$this->hasHeader('Cookie')) { + $this->setHeader('Cookie', "{$name}={$value}"); + } else { + $this->getHeader('Cookie')->add("{$name}={$value}"); + } + + // Always use semicolons to separate multiple cookie headers + $this->getHeader('Cookie')->setGlue(';'); + + return $this; + } + + public function removeCookie($name) + { + if ($cookie = $this->getHeader('Cookie')) { + foreach ($cookie as $cookieValue) { + if (strpos($cookieValue, $name . '=') === 0) { + $cookie->removeValue($cookieValue); + } + } + } + + return $this; + } + + public function setEventDispatcher(EventDispatcherInterface $eventDispatcher) + { + $this->eventDispatcher = $eventDispatcher; + $this->eventDispatcher->addListener('request.error', array(__CLASS__, 'onRequestError'), -255); + + return $this; + } + + public function getEventDispatcher() + { + if (!$this->eventDispatcher) { + $this->setEventDispatcher(new EventDispatcher()); + } + + return $this->eventDispatcher; + } + + public function dispatch($eventName, array $context = array()) + { + $context['request'] = $this; + $this->getEventDispatcher()->dispatch($eventName, new Event($context)); + } + + public function addSubscriber(EventSubscriberInterface $subscriber) + { + $this->getEventDispatcher()->addSubscriber($subscriber); + + return $this; + } + + /** + * {@inheritdoc} + * Adds a check for Host header changes + */ + public function addHeader($header, $value) + { + parent::addHeader($header, $value); + + if ($header == 'host' || $header == 'Host') { + $this->setHost((string) $this->getHeader('Host')); + } + + return $this; + } + + /** + * Get an array containing the request and response for event notifications + * + * @return array + */ + protected function getEventArray() + { + return array( + 'request' => $this, + 'response' => $this->response + ); + } + + /** + * Process a received response + * + * @param array $context Contextual information + * @throws RequestException|BadResponseException on unsuccessful responses + */ + protected function processResponse(array $context = array()) + { + if (!$this->response) { + // If no response, then processResponse shouldn't have been called + $e = new RequestException('Error completing request'); + $e->setRequest($this); + throw $e; + } + + $this->state = self::STATE_COMPLETE; + + // A request was sent, but we don't know if we'll send more or if the final response will be successful + $this->dispatch('request.sent', $this->getEventArray() + $context); + + // Some response processors will remove the response or reset the state (example: ExponentialBackoffPlugin) + if ($this->state == RequestInterface::STATE_COMPLETE) { + + // The request completed, so the HTTP transaction is complete + $this->dispatch('request.complete', $this->getEventArray()); + + // If the response is bad, allow listeners to modify it or throw exceptions. You can change the response by + // modifying the Event object in your listeners or calling setResponse() on the request + if ($this->response->isError()) { + $event = new Event($this->getEventArray()); + $this->getEventDispatcher()->dispatch('request.error', $event); + // Allow events of request.error to quietly change the response + if ($event['response'] !== $this->response) { + $this->response = $event['response']; + } + } + + // If a successful response was received, dispatch an event + if ($this->response->isSuccessful()) { + $this->dispatch('request.success', $this->getEventArray()); + } + } + } + + /** + * @deprecated Use Guzzle\Plugin\Cache\DefaultCanCacheStrategy + * @codeCoverageIgnore + */ + public function canCache() + { + Version::warn(__METHOD__ . ' is deprecated. Use Guzzle\Plugin\Cache\DefaultCanCacheStrategy.'); + if (class_exists('Guzzle\Plugin\Cache\DefaultCanCacheStrategy')) { + $canCache = new \Guzzle\Plugin\Cache\DefaultCanCacheStrategy(); + return $canCache->canCacheRequest($this); + } else { + return false; + } + } + + /** + * @deprecated Use the history plugin (not emitting a warning as this is built-into the RedirectPlugin for now) + * @codeCoverageIgnore + */ + public function setIsRedirect($isRedirect) + { + $this->isRedirect = $isRedirect; + + return $this; + } + + /** + * @deprecated Use the history plugin + * @codeCoverageIgnore + */ + public function isRedirect() + { + Version::warn(__METHOD__ . ' is deprecated. Use the HistoryPlugin to track this.'); + return $this->isRedirect; + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Http/Message/RequestFactory.php b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Http/Message/RequestFactory.php new file mode 100644 index 0000000000..f14d0879c3 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Http/Message/RequestFactory.php @@ -0,0 +1,336 @@ +methods = array_flip(get_class_methods(__CLASS__)); + } + + public function fromMessage($message) + { + $parsed = ParserRegistry::getInstance()->getParser('message')->parseRequest($message); + + if (!$parsed) { + return false; + } + + $request = $this->fromParts($parsed['method'], $parsed['request_url'], + $parsed['headers'], $parsed['body'], $parsed['protocol'], + $parsed['version']); + + // EntityEnclosingRequest adds an "Expect: 100-Continue" header when using a raw request body for PUT or POST + // requests. This factory method should accurately reflect the message, so here we are removing the Expect + // header if one was not supplied in the message. + if (!isset($parsed['headers']['Expect']) && !isset($parsed['headers']['expect'])) { + $request->removeHeader('Expect'); + } + + return $request; + } + + public function fromParts( + $method, + array $urlParts, + $headers = null, + $body = null, + $protocol = 'HTTP', + $protocolVersion = '1.1' + ) { + return $this->create($method, Url::buildUrl($urlParts), $headers, $body) + ->setProtocolVersion($protocolVersion); + } + + public function create($method, $url, $headers = null, $body = null, array $options = array()) + { + $method = strtoupper($method); + + if ($method == 'GET' || $method == 'HEAD' || $method == 'TRACE' || $method == 'OPTIONS') { + // Handle non-entity-enclosing request methods + $request = new $this->requestClass($method, $url, $headers); + if ($body) { + // The body is where the response body will be stored + $type = gettype($body); + if ($type == 'string' || $type == 'resource' || $type == 'object') { + $request->setResponseBody($body); + } + } + } else { + // Create an entity enclosing request by default + $request = new $this->entityEnclosingRequestClass($method, $url, $headers); + if ($body) { + // Add POST fields and files to an entity enclosing request if an array is used + if (is_array($body) || $body instanceof Collection) { + // Normalize PHP style cURL uploads with a leading '@' symbol + foreach ($body as $key => $value) { + if (is_string($value) && substr($value, 0, 1) == '@') { + $request->addPostFile($key, $value); + unset($body[$key]); + } + } + // Add the fields if they are still present and not all files + $request->addPostFields($body); + } else { + // Add a raw entity body body to the request + $request->setBody($body, (string) $request->getHeader('Content-Type')); + if ((string) $request->getHeader('Transfer-Encoding') == 'chunked') { + $request->removeHeader('Content-Length'); + } + } + } + } + + if ($options) { + $this->applyOptions($request, $options); + } + + return $request; + } + + /** + * Clone a request while changing the method. Emulates the behavior of + * {@see Guzzle\Http\Message\Request::clone}, but can change the HTTP method. + * + * @param RequestInterface $request Request to clone + * @param string $method Method to set + * + * @return RequestInterface + */ + public function cloneRequestWithMethod(RequestInterface $request, $method) + { + // Create the request with the same client if possible + if ($client = $request->getClient()) { + $cloned = $request->getClient()->createRequest($method, $request->getUrl(), $request->getHeaders()); + } else { + $cloned = $this->create($method, $request->getUrl(), $request->getHeaders()); + } + + $cloned->getCurlOptions()->replace($request->getCurlOptions()->toArray()); + $cloned->setEventDispatcher(clone $request->getEventDispatcher()); + // Ensure that that the Content-Length header is not copied if changing to GET or HEAD + if (!($cloned instanceof EntityEnclosingRequestInterface)) { + $cloned->removeHeader('Content-Length'); + } elseif ($request instanceof EntityEnclosingRequestInterface) { + $cloned->setBody($request->getBody()); + } + $cloned->getParams()->replace($request->getParams()->toArray()); + $cloned->dispatch('request.clone', array('request' => $cloned)); + + return $cloned; + } + + public function applyOptions(RequestInterface $request, array $options = array(), $flags = self::OPTIONS_NONE) + { + // Iterate over each key value pair and attempt to apply a config using function visitors + foreach ($options as $key => $value) { + $method = "visit_{$key}"; + if (isset($this->methods[$method])) { + $this->{$method}($request, $value, $flags); + } + } + } + + protected function visit_headers(RequestInterface $request, $value, $flags) + { + if (!is_array($value)) { + throw new InvalidArgumentException('headers value must be an array'); + } + + if ($flags & self::OPTIONS_AS_DEFAULTS) { + // Merge headers in but do not overwrite existing values + foreach ($value as $key => $header) { + if (!$request->hasHeader($key)) { + $request->setHeader($key, $header); + } + } + } else { + $request->addHeaders($value); + } + } + + protected function visit_body(RequestInterface $request, $value, $flags) + { + if ($request instanceof EntityEnclosingRequestInterface) { + $request->setBody($value); + } else { + throw new InvalidArgumentException('Attempting to set a body on a non-entity-enclosing request'); + } + } + + protected function visit_allow_redirects(RequestInterface $request, $value, $flags) + { + if ($value === false) { + $request->getParams()->set(RedirectPlugin::DISABLE, true); + } + } + + protected function visit_auth(RequestInterface $request, $value, $flags) + { + if (!is_array($value)) { + throw new InvalidArgumentException('auth value must be an array'); + } + + $request->setAuth($value[0], isset($value[1]) ? $value[1] : null, isset($value[2]) ? $value[2] : 'basic'); + } + + protected function visit_query(RequestInterface $request, $value, $flags) + { + if (!is_array($value)) { + throw new InvalidArgumentException('query value must be an array'); + } + + if ($flags & self::OPTIONS_AS_DEFAULTS) { + // Merge query string values in but do not overwrite existing values + $query = $request->getQuery(); + $query->overwriteWith(array_diff_key($value, $query->toArray())); + } else { + $request->getQuery()->overwriteWith($value); + } + } + + protected function visit_cookies(RequestInterface $request, $value, $flags) + { + if (!is_array($value)) { + throw new InvalidArgumentException('cookies value must be an array'); + } + + foreach ($value as $name => $v) { + $request->addCookie($name, $v); + } + } + + protected function visit_events(RequestInterface $request, $value, $flags) + { + if (!is_array($value)) { + throw new InvalidArgumentException('events value must be an array'); + } + + foreach ($value as $name => $method) { + if (is_array($method)) { + $request->getEventDispatcher()->addListener($name, $method[0], $method[1]); + } else { + $request->getEventDispatcher()->addListener($name, $method); + } + } + } + + protected function visit_plugins(RequestInterface $request, $value, $flags) + { + if (!is_array($value)) { + throw new InvalidArgumentException('plugins value must be an array'); + } + + foreach ($value as $plugin) { + $request->addSubscriber($plugin); + } + } + + protected function visit_exceptions(RequestInterface $request, $value, $flags) + { + if ($value === false || $value === 0) { + $dispatcher = $request->getEventDispatcher(); + foreach ($dispatcher->getListeners('request.error') as $listener) { + if ($listener[0] == 'Guzzle\Http\Message\Request' && $listener[1] = 'onRequestError') { + $dispatcher->removeListener('request.error', $listener); + break; + } + } + } + } + + protected function visit_save_to(RequestInterface $request, $value, $flags) + { + $request->setResponseBody($value); + } + + protected function visit_params(RequestInterface $request, $value, $flags) + { + if (!is_array($value)) { + throw new InvalidArgumentException('params value must be an array'); + } + + $request->getParams()->overwriteWith($value); + } + + protected function visit_timeout(RequestInterface $request, $value, $flags) + { + $request->getCurlOptions()->set(CURLOPT_TIMEOUT_MS, $value * 1000); + } + + protected function visit_connect_timeout(RequestInterface $request, $value, $flags) + { + $request->getCurlOptions()->set(CURLOPT_CONNECTTIMEOUT_MS, $value * 1000); + } + + protected function visit_debug(RequestInterface $request, $value, $flags) + { + if (class_exists('Guzzle\Plugin\Log\LogPlugin')) { + $request->addSubscriber(LogPlugin::getDebugPlugin()); + } else { + // @codeCoverageIgnoreStart + $request->getCurlOptions()->set(CURLOPT_VERBOSE, true); + // @codeCoverageIgnoreEnd + } + } + + protected function visit_verify(RequestInterface $request, $value, $flags) + { + $curl = $request->getCurlOptions(); + if ($value === true || is_string($value)) { + $curl[CURLOPT_SSL_VERIFYHOST] = 2; + $curl[CURLOPT_SSL_VERIFYPEER] = true; + if ($value !== true) { + $curl[CURLOPT_CAINFO] = $value; + } + } elseif ($value === false) { + unset($curl[CURLOPT_CAINFO]); + $curl[CURLOPT_SSL_VERIFYHOST] = 0; + $curl[CURLOPT_SSL_VERIFYPEER] = false; + } + } + + protected function visit_proxy(RequestInterface $request, $value, $flags) + { + $request->getCurlOptions()->set(CURLOPT_PROXY, $value, $flags); + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Http/Message/RequestFactoryInterface.php b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Http/Message/RequestFactoryInterface.php new file mode 100644 index 0000000000..5f31b5060b --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Http/Message/RequestFactoryInterface.php @@ -0,0 +1,99 @@ + 'Continue', + 101 => 'Switching Protocols', + 102 => 'Processing', + 200 => 'OK', + 201 => 'Created', + 202 => 'Accepted', + 203 => 'Non-Authoritative Information', + 204 => 'No Content', + 205 => 'Reset Content', + 206 => 'Partial Content', + 207 => 'Multi-Status', + 208 => 'Already Reported', + 226 => 'IM Used', + 300 => 'Multiple Choices', + 301 => 'Moved Permanently', + 302 => 'Found', + 303 => 'See Other', + 304 => 'Not Modified', + 305 => 'Use Proxy', + 307 => 'Temporary Redirect', + 308 => 'Permanent Redirect', + 400 => 'Bad Request', + 401 => 'Unauthorized', + 402 => 'Payment Required', + 403 => 'Forbidden', + 404 => 'Not Found', + 405 => 'Method Not Allowed', + 406 => 'Not Acceptable', + 407 => 'Proxy Authentication Required', + 408 => 'Request Timeout', + 409 => 'Conflict', + 410 => 'Gone', + 411 => 'Length Required', + 412 => 'Precondition Failed', + 413 => 'Request Entity Too Large', + 414 => 'Request-URI Too Long', + 415 => 'Unsupported Media Type', + 416 => 'Requested Range Not Satisfiable', + 417 => 'Expectation Failed', + 422 => 'Unprocessable Entity', + 423 => 'Locked', + 424 => 'Failed Dependency', + 425 => 'Reserved for WebDAV advanced collections expired proposal', + 426 => 'Upgrade required', + 428 => 'Precondition Required', + 429 => 'Too Many Requests', + 431 => 'Request Header Fields Too Large', + 500 => 'Internal Server Error', + 501 => 'Not Implemented', + 502 => 'Bad Gateway', + 503 => 'Service Unavailable', + 504 => 'Gateway Timeout', + 505 => 'HTTP Version Not Supported', + 506 => 'Variant Also Negotiates (Experimental)', + 507 => 'Insufficient Storage', + 508 => 'Loop Detected', + 510 => 'Not Extended', + 511 => 'Network Authentication Required', + ); + + /** @var EntityBodyInterface The response body */ + protected $body; + + /** @var string The reason phrase of the response (human readable code) */ + protected $reasonPhrase; + + /** @var string The status code of the response */ + protected $statusCode; + + /** @var array Information about the request */ + protected $info = array(); + + /** @var string The effective URL that returned this response */ + protected $effectiveUrl; + + /** @var array Cacheable response codes (see RFC 2616:13.4) */ + protected static $cacheResponseCodes = array(200, 203, 206, 300, 301, 410); + + /** + * Create a new Response based on a raw response message + * + * @param string $message Response message + * + * @return self|bool Returns false on error + */ + public static function fromMessage($message) + { + $data = ParserRegistry::getInstance()->getParser('message')->parseResponse($message); + if (!$data) { + return false; + } + + $response = new static($data['code'], $data['headers'], $data['body']); + $response->setProtocol($data['protocol'], $data['version']) + ->setStatus($data['code'], $data['reason_phrase']); + + // Set the appropriate Content-Length if the one set is inaccurate (e.g. setting to X) + $contentLength = (string) $response->getHeader('Content-Length'); + $actualLength = strlen($data['body']); + if (strlen($data['body']) > 0 && $contentLength != $actualLength) { + $response->setHeader('Content-Length', $actualLength); + } + + return $response; + } + + /** + * Construct the response + * + * @param string $statusCode The response status code (e.g. 200, 404, etc) + * @param ToArrayInterface|array $headers The response headers + * @param string|resource|EntityBodyInterface $body The body of the response + * + * @throws BadResponseException if an invalid response code is given + */ + public function __construct($statusCode, $headers = null, $body = null) + { + parent::__construct(); + $this->setStatus($statusCode); + $this->body = EntityBody::factory($body !== null ? $body : ''); + + if ($headers) { + if (is_array($headers)) { + $this->setHeaders($headers); + } elseif ($headers instanceof ToArrayInterface) { + $this->setHeaders($headers->toArray()); + } else { + throw new BadResponseException('Invalid headers argument received'); + } + } + } + + /** + * @return string + */ + public function __toString() + { + return $this->getMessage(); + } + + public function serialize() + { + return json_encode(array( + 'status' => $this->statusCode, + 'body' => (string) $this->body, + 'headers' => $this->headers->toArray() + )); + } + + public function unserialize($serialize) + { + $data = json_decode($serialize, true); + $this->__construct($data['status'], $data['headers'], $data['body']); + } + + /** + * Get the response entity body + * + * @param bool $asString Set to TRUE to return a string of the body rather than a full body object + * + * @return EntityBodyInterface|string + */ + public function getBody($asString = false) + { + return $asString ? (string) $this->body : $this->body; + } + + /** + * Set the response entity body + * + * @param EntityBodyInterface|string $body Body to set + * + * @return self + */ + public function setBody($body) + { + $this->body = EntityBody::factory($body); + + return $this; + } + + /** + * Set the protocol and protocol version of the response + * + * @param string $protocol Response protocol + * @param string $version Protocol version + * + * @return self + */ + public function setProtocol($protocol, $version) + { + $this->protocol = $protocol; + $this->protocolVersion = $version; + + return $this; + } + + /** + * Get the protocol used for the response (e.g. HTTP) + * + * @return string + */ + public function getProtocol() + { + return $this->protocol; + } + + /** + * Get the HTTP protocol version + * + * @return string + */ + public function getProtocolVersion() + { + return $this->protocolVersion; + } + + /** + * Get a cURL transfer information + * + * @param string $key A single statistic to check + * + * @return array|string|null Returns all stats if no key is set, a single stat if a key is set, or null if a key + * is set and not found + * @link http://www.php.net/manual/en/function.curl-getinfo.php + */ + public function getInfo($key = null) + { + if ($key === null) { + return $this->info; + } elseif (array_key_exists($key, $this->info)) { + return $this->info[$key]; + } else { + return null; + } + } + + /** + * Set the transfer information + * + * @param array $info Array of cURL transfer stats + * + * @return self + */ + public function setInfo(array $info) + { + $this->info = $info; + + return $this; + } + + /** + * Set the response status + * + * @param int $statusCode Response status code to set + * @param string $reasonPhrase Response reason phrase + * + * @return self + * @throws BadResponseException when an invalid response code is received + */ + public function setStatus($statusCode, $reasonPhrase = '') + { + $this->statusCode = (int) $statusCode; + + if (!$reasonPhrase && isset(self::$statusTexts[$this->statusCode])) { + $this->reasonPhrase = self::$statusTexts[$this->statusCode]; + } else { + $this->reasonPhrase = $reasonPhrase; + } + + return $this; + } + + /** + * Get the response status code + * + * @return integer + */ + public function getStatusCode() + { + return $this->statusCode; + } + + /** + * Get the entire response as a string + * + * @return string + */ + public function getMessage() + { + $message = $this->getRawHeaders(); + + // Only include the body in the message if the size is < 2MB + $size = $this->body->getSize(); + if ($size < 2097152) { + $message .= (string) $this->body; + } + + return $message; + } + + /** + * Get the the raw message headers as a string + * + * @return string + */ + public function getRawHeaders() + { + $headers = 'HTTP/1.1 ' . $this->statusCode . ' ' . $this->reasonPhrase . "\r\n"; + $lines = $this->getHeaderLines(); + if (!empty($lines)) { + $headers .= implode("\r\n", $lines) . "\r\n"; + } + + return $headers . "\r\n"; + } + + /** + * Get the response reason phrase- a human readable version of the numeric + * status code + * + * @return string + */ + public function getReasonPhrase() + { + return $this->reasonPhrase; + } + + /** + * Get the Accept-Ranges HTTP header + * + * @return string Returns what partial content range types this server supports. + */ + public function getAcceptRanges() + { + return (string) $this->getHeader('Accept-Ranges'); + } + + /** + * Calculate the age of the response + * + * @return integer + */ + public function calculateAge() + { + $age = $this->getHeader('Age'); + + if ($age === null && $this->getDate()) { + $age = time() - strtotime($this->getDate()); + } + + return $age === null ? null : (int) (string) $age; + } + + /** + * Get the Age HTTP header + * + * @return integer|null Returns the age the object has been in a proxy cache in seconds. + */ + public function getAge() + { + return (string) $this->getHeader('Age'); + } + + /** + * Get the Allow HTTP header + * + * @return string|null Returns valid actions for a specified resource. To be used for a 405 Method not allowed. + */ + public function getAllow() + { + return (string) $this->getHeader('Allow'); + } + + /** + * Check if an HTTP method is allowed by checking the Allow response header + * + * @param string $method Method to check + * + * @return bool + */ + public function isMethodAllowed($method) + { + $allow = $this->getHeader('Allow'); + if ($allow) { + foreach (explode(',', $allow) as $allowable) { + if (!strcasecmp(trim($allowable), $method)) { + return true; + } + } + } + + return false; + } + + /** + * Get the Cache-Control HTTP header + * + * @return string + */ + public function getCacheControl() + { + return (string) $this->getHeader('Cache-Control'); + } + + /** + * Get the Connection HTTP header + * + * @return string + */ + public function getConnection() + { + return (string) $this->getHeader('Connection'); + } + + /** + * Get the Content-Encoding HTTP header + * + * @return string|null + */ + public function getContentEncoding() + { + return (string) $this->getHeader('Content-Encoding'); + } + + /** + * Get the Content-Language HTTP header + * + * @return string|null Returns the language the content is in. + */ + public function getContentLanguage() + { + return (string) $this->getHeader('Content-Language'); + } + + /** + * Get the Content-Length HTTP header + * + * @return integer Returns the length of the response body in bytes + */ + public function getContentLength() + { + return (int) (string) $this->getHeader('Content-Length'); + } + + /** + * Get the Content-Location HTTP header + * + * @return string|null Returns an alternate location for the returned data (e.g /index.htm) + */ + public function getContentLocation() + { + return (string) $this->getHeader('Content-Location'); + } + + /** + * Get the Content-Disposition HTTP header + * + * @return string|null Returns the Content-Disposition header + */ + public function getContentDisposition() + { + return (string) $this->getHeader('Content-Disposition'); + } + + /** + * Get the Content-MD5 HTTP header + * + * @return string|null Returns a Base64-encoded binary MD5 sum of the content of the response. + */ + public function getContentMd5() + { + return (string) $this->getHeader('Content-MD5'); + } + + /** + * Get the Content-Range HTTP header + * + * @return string Returns where in a full body message this partial message belongs (e.g. bytes 21010-47021/47022). + */ + public function getContentRange() + { + return (string) $this->getHeader('Content-Range'); + } + + /** + * Get the Content-Type HTTP header + * + * @return string Returns the mime type of this content. + */ + public function getContentType() + { + return (string) $this->getHeader('Content-Type'); + } + + /** + * Checks if the Content-Type is of a certain type. This is useful if the + * Content-Type header contains charset information and you need to know if + * the Content-Type matches a particular type. + * + * @param string $type Content type to check against + * + * @return bool + */ + public function isContentType($type) + { + return stripos($this->getHeader('Content-Type'), $type) !== false; + } + + /** + * Get the Date HTTP header + * + * @return string|null Returns the date and time that the message was sent. + */ + public function getDate() + { + return (string) $this->getHeader('Date'); + } + + /** + * Get the ETag HTTP header + * + * @return string|null Returns an identifier for a specific version of a resource, often a Message digest. + */ + public function getEtag() + { + return (string) $this->getHeader('ETag'); + } + + /** + * Get the Expires HTTP header + * + * @return string|null Returns the date/time after which the response is considered stale. + */ + public function getExpires() + { + return (string) $this->getHeader('Expires'); + } + + /** + * Get the Last-Modified HTTP header + * + * @return string|null Returns the last modified date for the requested object, in RFC 2822 format + * (e.g. Tue, 15 Nov 1994 12:45:26 GMT) + */ + public function getLastModified() + { + return (string) $this->getHeader('Last-Modified'); + } + + /** + * Get the Location HTTP header + * + * @return string|null Used in redirection, or when a new resource has been created. + */ + public function getLocation() + { + return (string) $this->getHeader('Location'); + } + + /** + * Get the Pragma HTTP header + * + * @return Header|null Returns the implementation-specific headers that may have various effects anywhere along + * the request-response chain. + */ + public function getPragma() + { + return (string) $this->getHeader('Pragma'); + } + + /** + * Get the Proxy-Authenticate HTTP header + * + * @return string|null Authentication to access the proxy (e.g. Basic) + */ + public function getProxyAuthenticate() + { + return (string) $this->getHeader('Proxy-Authenticate'); + } + + /** + * Get the Retry-After HTTP header + * + * @return int|null If an entity is temporarily unavailable, this instructs the client to try again after a + * specified period of time. + */ + public function getRetryAfter() + { + return (string) $this->getHeader('Retry-After'); + } + + /** + * Get the Server HTTP header + * + * @return string|null A name for the server + */ + public function getServer() + { + return (string) $this->getHeader('Server'); + } + + /** + * Get the Set-Cookie HTTP header + * + * @return string|null An HTTP cookie. + */ + public function getSetCookie() + { + return (string) $this->getHeader('Set-Cookie'); + } + + /** + * Get the Trailer HTTP header + * + * @return string|null The Trailer general field value indicates that the given set of header fields is present in + * the trailer of a message encoded with chunked transfer-coding. + */ + public function getTrailer() + { + return (string) $this->getHeader('Trailer'); + } + + /** + * Get the Transfer-Encoding HTTP header + * + * @return string|null The form of encoding used to safely transfer the entity to the user + */ + public function getTransferEncoding() + { + return (string) $this->getHeader('Transfer-Encoding'); + } + + /** + * Get the Vary HTTP header + * + * @return string|null Tells downstream proxies how to match future request headers to decide whether the cached + * response can be used rather than requesting a fresh one from the origin server. + */ + public function getVary() + { + return (string) $this->getHeader('Vary'); + } + + /** + * Get the Via HTTP header + * + * @return string|null Informs the client of proxies through which the response was sent. + */ + public function getVia() + { + return (string) $this->getHeader('Via'); + } + + /** + * Get the Warning HTTP header + * + * @return string|null A general warning about possible problems with the entity body + */ + public function getWarning() + { + return (string) $this->getHeader('Warning'); + } + + /** + * Get the WWW-Authenticate HTTP header + * + * @return string|null Indicates the authentication scheme that should be used to access the requested entity + */ + public function getWwwAuthenticate() + { + return (string) $this->getHeader('WWW-Authenticate'); + } + + /** + * Checks if HTTP Status code is a Client Error (4xx) + * + * @return bool + */ + public function isClientError() + { + return $this->statusCode >= 400 && $this->statusCode < 500; + } + + /** + * Checks if HTTP Status code is Server OR Client Error (4xx or 5xx) + * + * @return boolean + */ + public function isError() + { + return $this->isClientError() || $this->isServerError(); + } + + /** + * Checks if HTTP Status code is Information (1xx) + * + * @return bool + */ + public function isInformational() + { + return $this->statusCode < 200; + } + + /** + * Checks if HTTP Status code is a Redirect (3xx) + * + * @return bool + */ + public function isRedirect() + { + return $this->statusCode >= 300 && $this->statusCode < 400; + } + + /** + * Checks if HTTP Status code is Server Error (5xx) + * + * @return bool + */ + public function isServerError() + { + return $this->statusCode >= 500 && $this->statusCode < 600; + } + + /** + * Checks if HTTP Status code is Successful (2xx | 304) + * + * @return bool + */ + public function isSuccessful() + { + return ($this->statusCode >= 200 && $this->statusCode < 300) || $this->statusCode == 304; + } + + /** + * Check if the response can be cached based on the response headers + * + * @return bool Returns TRUE if the response can be cached or false if not + */ + public function canCache() + { + // Check if the response is cacheable based on the code + if (!in_array((int) $this->getStatusCode(), self::$cacheResponseCodes)) { + return false; + } + + // Make sure a valid body was returned and can be cached + if ((!$this->getBody()->isReadable() || !$this->getBody()->isSeekable()) + && ($this->getContentLength() > 0 || $this->getTransferEncoding() == 'chunked')) { + return false; + } + + // Never cache no-store resources (this is a private cache, so private + // can be cached) + if ($this->getHeader('Cache-Control') && $this->getHeader('Cache-Control')->hasDirective('no-store')) { + return false; + } + + return $this->isFresh() || $this->getFreshness() === null || $this->canValidate(); + } + + /** + * Gets the number of seconds from the current time in which this response is still considered fresh + * + * @return int|null Returns the number of seconds + */ + public function getMaxAge() + { + if ($header = $this->getHeader('Cache-Control')) { + // s-max-age, then max-age, then Expires + if ($age = $header->getDirective('s-maxage')) { + return $age; + } + if ($age = $header->getDirective('max-age')) { + return $age; + } + } + + if ($this->getHeader('Expires')) { + return strtotime($this->getExpires()) - time(); + } + + return null; + } + + /** + * Check if the response is considered fresh. + * + * A response is considered fresh when its age is less than or equal to the freshness lifetime (maximum age) of the + * response. + * + * @return bool|null + */ + public function isFresh() + { + $fresh = $this->getFreshness(); + + return $fresh === null ? null : $fresh >= 0; + } + + /** + * Check if the response can be validated against the origin server using a conditional GET request. + * + * @return bool + */ + public function canValidate() + { + return $this->getEtag() || $this->getLastModified(); + } + + /** + * Get the freshness of the response by returning the difference of the maximum lifetime of the response and the + * age of the response (max-age - age). + * + * Freshness values less than 0 mean that the response is no longer fresh and is ABS(freshness) seconds expired. + * Freshness values of greater than zero is the number of seconds until the response is no longer fresh. A NULL + * result means that no freshness information is available. + * + * @return int + */ + public function getFreshness() + { + $maxAge = $this->getMaxAge(); + $age = $this->calculateAge(); + + return $maxAge && $age ? ($maxAge - $age) : null; + } + + /** + * Parse the JSON response body and return an array + * + * @return array|string|int|bool|float + * @throws RuntimeException if the response body is not in JSON format + */ + public function json() + { + $data = json_decode((string) $this->body, true); + if (JSON_ERROR_NONE !== json_last_error()) { + throw new RuntimeException('Unable to parse response body into JSON: ' . json_last_error()); + } + + return $data === null ? array() : $data; + } + + /** + * Parse the XML response body and return a SimpleXMLElement + * + * @return \SimpleXMLElement + * @throws RuntimeException if the response body is not in XML format + */ + public function xml() + { + try { + // Allow XML to be retrieved even if there is no response body + $xml = new \SimpleXMLElement((string) $this->body ?: ''); + } catch (\Exception $e) { + throw new RuntimeException('Unable to parse response body into XML: ' . $e->getMessage()); + } + + return $xml; + } + + /** + * Get the redirect count of this response + * + * @return int + */ + public function getRedirectCount() + { + return (int) $this->params->get(RedirectPlugin::REDIRECT_COUNT); + } + + /** + * Set the effective URL that resulted in this response (e.g. the last redirect URL) + * + * @param string $url The effective URL + * + * @return self + */ + public function setEffectiveUrl($url) + { + $this->effectiveUrl = $url; + + return $this; + } + + /** + * Get the effective URL that resulted in this response (e.g. the last redirect URL) + * + * @return string + */ + public function getEffectiveUrl() + { + return $this->effectiveUrl; + } + + /** + * @deprecated + * @codeCoverageIgnore + */ + public function getPreviousResponse() + { + Version::warn(__METHOD__ . ' is deprecated. Use the HistoryPlugin.'); + return null; + } + + /** + * @deprecated + * @codeCoverageIgnore + */ + public function setRequest($request) + { + Version::warn(__METHOD__ . ' is deprecated'); + return $this; + } + + /** + * @deprecated + * @codeCoverageIgnore + */ + public function getRequest() + { + Version::warn(__METHOD__ . ' is deprecated'); + return null; + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Http/Mimetypes.php b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Http/Mimetypes.php new file mode 100644 index 0000000000..15af061f6f --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Http/Mimetypes.php @@ -0,0 +1,960 @@ + 'text/vnd.in3d.3dml', + '3g2' => 'video/3gpp2', + '3gp' => 'video/3gpp', + '7z' => 'application/x-7z-compressed', + 'aab' => 'application/x-authorware-bin', + 'aac' => 'audio/x-aac', + 'aam' => 'application/x-authorware-map', + 'aas' => 'application/x-authorware-seg', + 'abw' => 'application/x-abiword', + 'ac' => 'application/pkix-attr-cert', + 'acc' => 'application/vnd.americandynamics.acc', + 'ace' => 'application/x-ace-compressed', + 'acu' => 'application/vnd.acucobol', + 'acutc' => 'application/vnd.acucorp', + 'adp' => 'audio/adpcm', + 'aep' => 'application/vnd.audiograph', + 'afm' => 'application/x-font-type1', + 'afp' => 'application/vnd.ibm.modcap', + 'ahead' => 'application/vnd.ahead.space', + 'ai' => 'application/postscript', + 'aif' => 'audio/x-aiff', + 'aifc' => 'audio/x-aiff', + 'aiff' => 'audio/x-aiff', + 'air' => 'application/vnd.adobe.air-application-installer-package+zip', + 'ait' => 'application/vnd.dvb.ait', + 'ami' => 'application/vnd.amiga.ami', + 'apk' => 'application/vnd.android.package-archive', + 'application' => 'application/x-ms-application', + 'apr' => 'application/vnd.lotus-approach', + 'asa' => 'text/plain', + 'asax' => 'application/octet-stream', + 'asc' => 'application/pgp-signature', + 'ascx' => 'text/plain', + 'asf' => 'video/x-ms-asf', + 'ashx' => 'text/plain', + 'asm' => 'text/x-asm', + 'asmx' => 'text/plain', + 'aso' => 'application/vnd.accpac.simply.aso', + 'asp' => 'text/plain', + 'aspx' => 'text/plain', + 'asx' => 'video/x-ms-asf', + 'atc' => 'application/vnd.acucorp', + 'atom' => 'application/atom+xml', + 'atomcat' => 'application/atomcat+xml', + 'atomsvc' => 'application/atomsvc+xml', + 'atx' => 'application/vnd.antix.game-component', + 'au' => 'audio/basic', + 'avi' => 'video/x-msvideo', + 'aw' => 'application/applixware', + 'axd' => 'text/plain', + 'azf' => 'application/vnd.airzip.filesecure.azf', + 'azs' => 'application/vnd.airzip.filesecure.azs', + 'azw' => 'application/vnd.amazon.ebook', + 'bat' => 'application/x-msdownload', + 'bcpio' => 'application/x-bcpio', + 'bdf' => 'application/x-font-bdf', + 'bdm' => 'application/vnd.syncml.dm+wbxml', + 'bed' => 'application/vnd.realvnc.bed', + 'bh2' => 'application/vnd.fujitsu.oasysprs', + 'bin' => 'application/octet-stream', + 'bmi' => 'application/vnd.bmi', + 'bmp' => 'image/bmp', + 'book' => 'application/vnd.framemaker', + 'box' => 'application/vnd.previewsystems.box', + 'boz' => 'application/x-bzip2', + 'bpk' => 'application/octet-stream', + 'btif' => 'image/prs.btif', + 'bz' => 'application/x-bzip', + 'bz2' => 'application/x-bzip2', + 'c' => 'text/x-c', + 'c11amc' => 'application/vnd.cluetrust.cartomobile-config', + 'c11amz' => 'application/vnd.cluetrust.cartomobile-config-pkg', + 'c4d' => 'application/vnd.clonk.c4group', + 'c4f' => 'application/vnd.clonk.c4group', + 'c4g' => 'application/vnd.clonk.c4group', + 'c4p' => 'application/vnd.clonk.c4group', + 'c4u' => 'application/vnd.clonk.c4group', + 'cab' => 'application/vnd.ms-cab-compressed', + 'car' => 'application/vnd.curl.car', + 'cat' => 'application/vnd.ms-pki.seccat', + 'cc' => 'text/x-c', + 'cct' => 'application/x-director', + 'ccxml' => 'application/ccxml+xml', + 'cdbcmsg' => 'application/vnd.contact.cmsg', + 'cdf' => 'application/x-netcdf', + 'cdkey' => 'application/vnd.mediastation.cdkey', + 'cdmia' => 'application/cdmi-capability', + 'cdmic' => 'application/cdmi-container', + 'cdmid' => 'application/cdmi-domain', + 'cdmio' => 'application/cdmi-object', + 'cdmiq' => 'application/cdmi-queue', + 'cdx' => 'chemical/x-cdx', + 'cdxml' => 'application/vnd.chemdraw+xml', + 'cdy' => 'application/vnd.cinderella', + 'cer' => 'application/pkix-cert', + 'cfc' => 'application/x-coldfusion', + 'cfm' => 'application/x-coldfusion', + 'cgm' => 'image/cgm', + 'chat' => 'application/x-chat', + 'chm' => 'application/vnd.ms-htmlhelp', + 'chrt' => 'application/vnd.kde.kchart', + 'cif' => 'chemical/x-cif', + 'cii' => 'application/vnd.anser-web-certificate-issue-initiation', + 'cil' => 'application/vnd.ms-artgalry', + 'cla' => 'application/vnd.claymore', + 'class' => 'application/java-vm', + 'clkk' => 'application/vnd.crick.clicker.keyboard', + 'clkp' => 'application/vnd.crick.clicker.palette', + 'clkt' => 'application/vnd.crick.clicker.template', + 'clkw' => 'application/vnd.crick.clicker.wordbank', + 'clkx' => 'application/vnd.crick.clicker', + 'clp' => 'application/x-msclip', + 'cmc' => 'application/vnd.cosmocaller', + 'cmdf' => 'chemical/x-cmdf', + 'cml' => 'chemical/x-cml', + 'cmp' => 'application/vnd.yellowriver-custom-menu', + 'cmx' => 'image/x-cmx', + 'cod' => 'application/vnd.rim.cod', + 'com' => 'application/x-msdownload', + 'conf' => 'text/plain', + 'cpio' => 'application/x-cpio', + 'cpp' => 'text/x-c', + 'cpt' => 'application/mac-compactpro', + 'crd' => 'application/x-mscardfile', + 'crl' => 'application/pkix-crl', + 'crt' => 'application/x-x509-ca-cert', + 'cryptonote' => 'application/vnd.rig.cryptonote', + 'cs' => 'text/plain', + 'csh' => 'application/x-csh', + 'csml' => 'chemical/x-csml', + 'csp' => 'application/vnd.commonspace', + 'css' => 'text/css', + 'cst' => 'application/x-director', + 'csv' => 'text/csv', + 'cu' => 'application/cu-seeme', + 'curl' => 'text/vnd.curl', + 'cww' => 'application/prs.cww', + 'cxt' => 'application/x-director', + 'cxx' => 'text/x-c', + 'dae' => 'model/vnd.collada+xml', + 'daf' => 'application/vnd.mobius.daf', + 'dataless' => 'application/vnd.fdsn.seed', + 'davmount' => 'application/davmount+xml', + 'dcr' => 'application/x-director', + 'dcurl' => 'text/vnd.curl.dcurl', + 'dd2' => 'application/vnd.oma.dd2+xml', + 'ddd' => 'application/vnd.fujixerox.ddd', + 'deb' => 'application/x-debian-package', + 'def' => 'text/plain', + 'deploy' => 'application/octet-stream', + 'der' => 'application/x-x509-ca-cert', + 'dfac' => 'application/vnd.dreamfactory', + 'dic' => 'text/x-c', + 'dir' => 'application/x-director', + 'dis' => 'application/vnd.mobius.dis', + 'dist' => 'application/octet-stream', + 'distz' => 'application/octet-stream', + 'djv' => 'image/vnd.djvu', + 'djvu' => 'image/vnd.djvu', + 'dll' => 'application/x-msdownload', + 'dmg' => 'application/octet-stream', + 'dms' => 'application/octet-stream', + 'dna' => 'application/vnd.dna', + 'doc' => 'application/msword', + 'docm' => 'application/vnd.ms-word.document.macroenabled.12', + 'docx' => 'application/vnd.openxmlformats-officedocument.wordprocessingml.document', + 'dot' => 'application/msword', + 'dotm' => 'application/vnd.ms-word.template.macroenabled.12', + 'dotx' => 'application/vnd.openxmlformats-officedocument.wordprocessingml.template', + 'dp' => 'application/vnd.osgi.dp', + 'dpg' => 'application/vnd.dpgraph', + 'dra' => 'audio/vnd.dra', + 'dsc' => 'text/prs.lines.tag', + 'dssc' => 'application/dssc+der', + 'dtb' => 'application/x-dtbook+xml', + 'dtd' => 'application/xml-dtd', + 'dts' => 'audio/vnd.dts', + 'dtshd' => 'audio/vnd.dts.hd', + 'dump' => 'application/octet-stream', + 'dvi' => 'application/x-dvi', + 'dwf' => 'model/vnd.dwf', + 'dwg' => 'image/vnd.dwg', + 'dxf' => 'image/vnd.dxf', + 'dxp' => 'application/vnd.spotfire.dxp', + 'dxr' => 'application/x-director', + 'ecelp4800' => 'audio/vnd.nuera.ecelp4800', + 'ecelp7470' => 'audio/vnd.nuera.ecelp7470', + 'ecelp9600' => 'audio/vnd.nuera.ecelp9600', + 'ecma' => 'application/ecmascript', + 'edm' => 'application/vnd.novadigm.edm', + 'edx' => 'application/vnd.novadigm.edx', + 'efif' => 'application/vnd.picsel', + 'ei6' => 'application/vnd.pg.osasli', + 'elc' => 'application/octet-stream', + 'eml' => 'message/rfc822', + 'emma' => 'application/emma+xml', + 'eol' => 'audio/vnd.digital-winds', + 'eot' => 'application/vnd.ms-fontobject', + 'eps' => 'application/postscript', + 'epub' => 'application/epub+zip', + 'es3' => 'application/vnd.eszigno3+xml', + 'esf' => 'application/vnd.epson.esf', + 'et3' => 'application/vnd.eszigno3+xml', + 'etx' => 'text/x-setext', + 'exe' => 'application/x-msdownload', + 'exi' => 'application/exi', + 'ext' => 'application/vnd.novadigm.ext', + 'ez' => 'application/andrew-inset', + 'ez2' => 'application/vnd.ezpix-album', + 'ez3' => 'application/vnd.ezpix-package', + 'f' => 'text/x-fortran', + 'f4v' => 'video/x-f4v', + 'f77' => 'text/x-fortran', + 'f90' => 'text/x-fortran', + 'fbs' => 'image/vnd.fastbidsheet', + 'fcs' => 'application/vnd.isac.fcs', + 'fdf' => 'application/vnd.fdf', + 'fe_launch' => 'application/vnd.denovo.fcselayout-link', + 'fg5' => 'application/vnd.fujitsu.oasysgp', + 'fgd' => 'application/x-director', + 'fh' => 'image/x-freehand', + 'fh4' => 'image/x-freehand', + 'fh5' => 'image/x-freehand', + 'fh7' => 'image/x-freehand', + 'fhc' => 'image/x-freehand', + 'fig' => 'application/x-xfig', + 'fli' => 'video/x-fli', + 'flo' => 'application/vnd.micrografx.flo', + 'flv' => 'video/x-flv', + 'flw' => 'application/vnd.kde.kivio', + 'flx' => 'text/vnd.fmi.flexstor', + 'fly' => 'text/vnd.fly', + 'fm' => 'application/vnd.framemaker', + 'fnc' => 'application/vnd.frogans.fnc', + 'for' => 'text/x-fortran', + 'fpx' => 'image/vnd.fpx', + 'frame' => 'application/vnd.framemaker', + 'fsc' => 'application/vnd.fsc.weblaunch', + 'fst' => 'image/vnd.fst', + 'ftc' => 'application/vnd.fluxtime.clip', + 'fti' => 'application/vnd.anser-web-funds-transfer-initiation', + 'fvt' => 'video/vnd.fvt', + 'fxp' => 'application/vnd.adobe.fxp', + 'fxpl' => 'application/vnd.adobe.fxp', + 'fzs' => 'application/vnd.fuzzysheet', + 'g2w' => 'application/vnd.geoplan', + 'g3' => 'image/g3fax', + 'g3w' => 'application/vnd.geospace', + 'gac' => 'application/vnd.groove-account', + 'gdl' => 'model/vnd.gdl', + 'geo' => 'application/vnd.dynageo', + 'gex' => 'application/vnd.geometry-explorer', + 'ggb' => 'application/vnd.geogebra.file', + 'ggt' => 'application/vnd.geogebra.tool', + 'ghf' => 'application/vnd.groove-help', + 'gif' => 'image/gif', + 'gim' => 'application/vnd.groove-identity-message', + 'gmx' => 'application/vnd.gmx', + 'gnumeric' => 'application/x-gnumeric', + 'gph' => 'application/vnd.flographit', + 'gqf' => 'application/vnd.grafeq', + 'gqs' => 'application/vnd.grafeq', + 'gram' => 'application/srgs', + 'gre' => 'application/vnd.geometry-explorer', + 'grv' => 'application/vnd.groove-injector', + 'grxml' => 'application/srgs+xml', + 'gsf' => 'application/x-font-ghostscript', + 'gtar' => 'application/x-gtar', + 'gtm' => 'application/vnd.groove-tool-message', + 'gtw' => 'model/vnd.gtw', + 'gv' => 'text/vnd.graphviz', + 'gxt' => 'application/vnd.geonext', + 'h' => 'text/x-c', + 'h261' => 'video/h261', + 'h263' => 'video/h263', + 'h264' => 'video/h264', + 'hal' => 'application/vnd.hal+xml', + 'hbci' => 'application/vnd.hbci', + 'hdf' => 'application/x-hdf', + 'hh' => 'text/x-c', + 'hlp' => 'application/winhlp', + 'hpgl' => 'application/vnd.hp-hpgl', + 'hpid' => 'application/vnd.hp-hpid', + 'hps' => 'application/vnd.hp-hps', + 'hqx' => 'application/mac-binhex40', + 'hta' => 'application/octet-stream', + 'htc' => 'text/html', + 'htke' => 'application/vnd.kenameaapp', + 'htm' => 'text/html', + 'html' => 'text/html', + 'hvd' => 'application/vnd.yamaha.hv-dic', + 'hvp' => 'application/vnd.yamaha.hv-voice', + 'hvs' => 'application/vnd.yamaha.hv-script', + 'i2g' => 'application/vnd.intergeo', + 'icc' => 'application/vnd.iccprofile', + 'ice' => 'x-conference/x-cooltalk', + 'icm' => 'application/vnd.iccprofile', + 'ico' => 'image/x-icon', + 'ics' => 'text/calendar', + 'ief' => 'image/ief', + 'ifb' => 'text/calendar', + 'ifm' => 'application/vnd.shana.informed.formdata', + 'iges' => 'model/iges', + 'igl' => 'application/vnd.igloader', + 'igm' => 'application/vnd.insors.igm', + 'igs' => 'model/iges', + 'igx' => 'application/vnd.micrografx.igx', + 'iif' => 'application/vnd.shana.informed.interchange', + 'imp' => 'application/vnd.accpac.simply.imp', + 'ims' => 'application/vnd.ms-ims', + 'in' => 'text/plain', + 'ini' => 'text/plain', + 'ipfix' => 'application/ipfix', + 'ipk' => 'application/vnd.shana.informed.package', + 'irm' => 'application/vnd.ibm.rights-management', + 'irp' => 'application/vnd.irepository.package+xml', + 'iso' => 'application/octet-stream', + 'itp' => 'application/vnd.shana.informed.formtemplate', + 'ivp' => 'application/vnd.immervision-ivp', + 'ivu' => 'application/vnd.immervision-ivu', + 'jad' => 'text/vnd.sun.j2me.app-descriptor', + 'jam' => 'application/vnd.jam', + 'jar' => 'application/java-archive', + 'java' => 'text/x-java-source', + 'jisp' => 'application/vnd.jisp', + 'jlt' => 'application/vnd.hp-jlyt', + 'jnlp' => 'application/x-java-jnlp-file', + 'joda' => 'application/vnd.joost.joda-archive', + 'jpe' => 'image/jpeg', + 'jpeg' => 'image/jpeg', + 'jpg' => 'image/jpeg', + 'jpgm' => 'video/jpm', + 'jpgv' => 'video/jpeg', + 'jpm' => 'video/jpm', + 'js' => 'text/javascript', + 'json' => 'application/json', + 'kar' => 'audio/midi', + 'karbon' => 'application/vnd.kde.karbon', + 'kfo' => 'application/vnd.kde.kformula', + 'kia' => 'application/vnd.kidspiration', + 'kml' => 'application/vnd.google-earth.kml+xml', + 'kmz' => 'application/vnd.google-earth.kmz', + 'kne' => 'application/vnd.kinar', + 'knp' => 'application/vnd.kinar', + 'kon' => 'application/vnd.kde.kontour', + 'kpr' => 'application/vnd.kde.kpresenter', + 'kpt' => 'application/vnd.kde.kpresenter', + 'ksp' => 'application/vnd.kde.kspread', + 'ktr' => 'application/vnd.kahootz', + 'ktx' => 'image/ktx', + 'ktz' => 'application/vnd.kahootz', + 'kwd' => 'application/vnd.kde.kword', + 'kwt' => 'application/vnd.kde.kword', + 'lasxml' => 'application/vnd.las.las+xml', + 'latex' => 'application/x-latex', + 'lbd' => 'application/vnd.llamagraphics.life-balance.desktop', + 'lbe' => 'application/vnd.llamagraphics.life-balance.exchange+xml', + 'les' => 'application/vnd.hhe.lesson-player', + 'lha' => 'application/octet-stream', + 'link66' => 'application/vnd.route66.link66+xml', + 'list' => 'text/plain', + 'list3820' => 'application/vnd.ibm.modcap', + 'listafp' => 'application/vnd.ibm.modcap', + 'log' => 'text/plain', + 'lostxml' => 'application/lost+xml', + 'lrf' => 'application/octet-stream', + 'lrm' => 'application/vnd.ms-lrm', + 'ltf' => 'application/vnd.frogans.ltf', + 'lvp' => 'audio/vnd.lucent.voice', + 'lwp' => 'application/vnd.lotus-wordpro', + 'lzh' => 'application/octet-stream', + 'm13' => 'application/x-msmediaview', + 'm14' => 'application/x-msmediaview', + 'm1v' => 'video/mpeg', + 'm21' => 'application/mp21', + 'm2a' => 'audio/mpeg', + 'm2v' => 'video/mpeg', + 'm3a' => 'audio/mpeg', + 'm3u' => 'audio/x-mpegurl', + 'm3u8' => 'application/vnd.apple.mpegurl', + 'm4a' => 'audio/mp4', + 'm4u' => 'video/vnd.mpegurl', + 'm4v' => 'video/mp4', + 'ma' => 'application/mathematica', + 'mads' => 'application/mads+xml', + 'mag' => 'application/vnd.ecowin.chart', + 'maker' => 'application/vnd.framemaker', + 'man' => 'text/troff', + 'mathml' => 'application/mathml+xml', + 'mb' => 'application/mathematica', + 'mbk' => 'application/vnd.mobius.mbk', + 'mbox' => 'application/mbox', + 'mc1' => 'application/vnd.medcalcdata', + 'mcd' => 'application/vnd.mcd', + 'mcurl' => 'text/vnd.curl.mcurl', + 'mdb' => 'application/x-msaccess', + 'mdi' => 'image/vnd.ms-modi', + 'me' => 'text/troff', + 'mesh' => 'model/mesh', + 'meta4' => 'application/metalink4+xml', + 'mets' => 'application/mets+xml', + 'mfm' => 'application/vnd.mfmp', + 'mgp' => 'application/vnd.osgeo.mapguide.package', + 'mgz' => 'application/vnd.proteus.magazine', + 'mid' => 'audio/midi', + 'midi' => 'audio/midi', + 'mif' => 'application/vnd.mif', + 'mime' => 'message/rfc822', + 'mj2' => 'video/mj2', + 'mjp2' => 'video/mj2', + 'mlp' => 'application/vnd.dolby.mlp', + 'mmd' => 'application/vnd.chipnuts.karaoke-mmd', + 'mmf' => 'application/vnd.smaf', + 'mmr' => 'image/vnd.fujixerox.edmics-mmr', + 'mny' => 'application/x-msmoney', + 'mobi' => 'application/x-mobipocket-ebook', + 'mods' => 'application/mods+xml', + 'mov' => 'video/quicktime', + 'movie' => 'video/x-sgi-movie', + 'mp2' => 'audio/mpeg', + 'mp21' => 'application/mp21', + 'mp2a' => 'audio/mpeg', + 'mp3' => 'audio/mpeg', + 'mp4' => 'video/mp4', + 'mp4a' => 'audio/mp4', + 'mp4s' => 'application/mp4', + 'mp4v' => 'video/mp4', + 'mpc' => 'application/vnd.mophun.certificate', + 'mpe' => 'video/mpeg', + 'mpeg' => 'video/mpeg', + 'mpg' => 'video/mpeg', + 'mpg4' => 'video/mp4', + 'mpga' => 'audio/mpeg', + 'mpkg' => 'application/vnd.apple.installer+xml', + 'mpm' => 'application/vnd.blueice.multipass', + 'mpn' => 'application/vnd.mophun.application', + 'mpp' => 'application/vnd.ms-project', + 'mpt' => 'application/vnd.ms-project', + 'mpy' => 'application/vnd.ibm.minipay', + 'mqy' => 'application/vnd.mobius.mqy', + 'mrc' => 'application/marc', + 'mrcx' => 'application/marcxml+xml', + 'ms' => 'text/troff', + 'mscml' => 'application/mediaservercontrol+xml', + 'mseed' => 'application/vnd.fdsn.mseed', + 'mseq' => 'application/vnd.mseq', + 'msf' => 'application/vnd.epson.msf', + 'msh' => 'model/mesh', + 'msi' => 'application/x-msdownload', + 'msl' => 'application/vnd.mobius.msl', + 'msty' => 'application/vnd.muvee.style', + 'mts' => 'model/vnd.mts', + 'mus' => 'application/vnd.musician', + 'musicxml' => 'application/vnd.recordare.musicxml+xml', + 'mvb' => 'application/x-msmediaview', + 'mwf' => 'application/vnd.mfer', + 'mxf' => 'application/mxf', + 'mxl' => 'application/vnd.recordare.musicxml', + 'mxml' => 'application/xv+xml', + 'mxs' => 'application/vnd.triscape.mxs', + 'mxu' => 'video/vnd.mpegurl', + 'n-gage' => 'application/vnd.nokia.n-gage.symbian.install', + 'n3' => 'text/n3', + 'nb' => 'application/mathematica', + 'nbp' => 'application/vnd.wolfram.player', + 'nc' => 'application/x-netcdf', + 'ncx' => 'application/x-dtbncx+xml', + 'ngdat' => 'application/vnd.nokia.n-gage.data', + 'nlu' => 'application/vnd.neurolanguage.nlu', + 'nml' => 'application/vnd.enliven', + 'nnd' => 'application/vnd.noblenet-directory', + 'nns' => 'application/vnd.noblenet-sealer', + 'nnw' => 'application/vnd.noblenet-web', + 'npx' => 'image/vnd.net-fpx', + 'nsf' => 'application/vnd.lotus-notes', + 'oa2' => 'application/vnd.fujitsu.oasys2', + 'oa3' => 'application/vnd.fujitsu.oasys3', + 'oas' => 'application/vnd.fujitsu.oasys', + 'obd' => 'application/x-msbinder', + 'oda' => 'application/oda', + 'odb' => 'application/vnd.oasis.opendocument.database', + 'odc' => 'application/vnd.oasis.opendocument.chart', + 'odf' => 'application/vnd.oasis.opendocument.formula', + 'odft' => 'application/vnd.oasis.opendocument.formula-template', + 'odg' => 'application/vnd.oasis.opendocument.graphics', + 'odi' => 'application/vnd.oasis.opendocument.image', + 'odm' => 'application/vnd.oasis.opendocument.text-master', + 'odp' => 'application/vnd.oasis.opendocument.presentation', + 'ods' => 'application/vnd.oasis.opendocument.spreadsheet', + 'odt' => 'application/vnd.oasis.opendocument.text', + 'oga' => 'audio/ogg', + 'ogg' => 'audio/ogg', + 'ogv' => 'video/ogg', + 'ogx' => 'application/ogg', + 'onepkg' => 'application/onenote', + 'onetmp' => 'application/onenote', + 'onetoc' => 'application/onenote', + 'onetoc2' => 'application/onenote', + 'opf' => 'application/oebps-package+xml', + 'oprc' => 'application/vnd.palm', + 'org' => 'application/vnd.lotus-organizer', + 'osf' => 'application/vnd.yamaha.openscoreformat', + 'osfpvg' => 'application/vnd.yamaha.openscoreformat.osfpvg+xml', + 'otc' => 'application/vnd.oasis.opendocument.chart-template', + 'otf' => 'application/x-font-otf', + 'otg' => 'application/vnd.oasis.opendocument.graphics-template', + 'oth' => 'application/vnd.oasis.opendocument.text-web', + 'oti' => 'application/vnd.oasis.opendocument.image-template', + 'otp' => 'application/vnd.oasis.opendocument.presentation-template', + 'ots' => 'application/vnd.oasis.opendocument.spreadsheet-template', + 'ott' => 'application/vnd.oasis.opendocument.text-template', + 'oxt' => 'application/vnd.openofficeorg.extension', + 'p' => 'text/x-pascal', + 'p10' => 'application/pkcs10', + 'p12' => 'application/x-pkcs12', + 'p7b' => 'application/x-pkcs7-certificates', + 'p7c' => 'application/pkcs7-mime', + 'p7m' => 'application/pkcs7-mime', + 'p7r' => 'application/x-pkcs7-certreqresp', + 'p7s' => 'application/pkcs7-signature', + 'p8' => 'application/pkcs8', + 'pas' => 'text/x-pascal', + 'paw' => 'application/vnd.pawaafile', + 'pbd' => 'application/vnd.powerbuilder6', + 'pbm' => 'image/x-portable-bitmap', + 'pcf' => 'application/x-font-pcf', + 'pcl' => 'application/vnd.hp-pcl', + 'pclxl' => 'application/vnd.hp-pclxl', + 'pct' => 'image/x-pict', + 'pcurl' => 'application/vnd.curl.pcurl', + 'pcx' => 'image/x-pcx', + 'pdb' => 'application/vnd.palm', + 'pdf' => 'application/pdf', + 'pfa' => 'application/x-font-type1', + 'pfb' => 'application/x-font-type1', + 'pfm' => 'application/x-font-type1', + 'pfr' => 'application/font-tdpfr', + 'pfx' => 'application/x-pkcs12', + 'pgm' => 'image/x-portable-graymap', + 'pgn' => 'application/x-chess-pgn', + 'pgp' => 'application/pgp-encrypted', + 'php' => 'text/x-php', + 'phps' => 'application/x-httpd-phps', + 'pic' => 'image/x-pict', + 'pkg' => 'application/octet-stream', + 'pki' => 'application/pkixcmp', + 'pkipath' => 'application/pkix-pkipath', + 'plb' => 'application/vnd.3gpp.pic-bw-large', + 'plc' => 'application/vnd.mobius.plc', + 'plf' => 'application/vnd.pocketlearn', + 'pls' => 'application/pls+xml', + 'pml' => 'application/vnd.ctc-posml', + 'png' => 'image/png', + 'pnm' => 'image/x-portable-anymap', + 'portpkg' => 'application/vnd.macports.portpkg', + 'pot' => 'application/vnd.ms-powerpoint', + 'potm' => 'application/vnd.ms-powerpoint.template.macroenabled.12', + 'potx' => 'application/vnd.openxmlformats-officedocument.presentationml.template', + 'ppam' => 'application/vnd.ms-powerpoint.addin.macroenabled.12', + 'ppd' => 'application/vnd.cups-ppd', + 'ppm' => 'image/x-portable-pixmap', + 'pps' => 'application/vnd.ms-powerpoint', + 'ppsm' => 'application/vnd.ms-powerpoint.slideshow.macroenabled.12', + 'ppsx' => 'application/vnd.openxmlformats-officedocument.presentationml.slideshow', + 'ppt' => 'application/vnd.ms-powerpoint', + 'pptm' => 'application/vnd.ms-powerpoint.presentation.macroenabled.12', + 'pptx' => 'application/vnd.openxmlformats-officedocument.presentationml.presentation', + 'pqa' => 'application/vnd.palm', + 'prc' => 'application/x-mobipocket-ebook', + 'pre' => 'application/vnd.lotus-freelance', + 'prf' => 'application/pics-rules', + 'ps' => 'application/postscript', + 'psb' => 'application/vnd.3gpp.pic-bw-small', + 'psd' => 'image/vnd.adobe.photoshop', + 'psf' => 'application/x-font-linux-psf', + 'pskcxml' => 'application/pskc+xml', + 'ptid' => 'application/vnd.pvi.ptid1', + 'pub' => 'application/x-mspublisher', + 'pvb' => 'application/vnd.3gpp.pic-bw-var', + 'pwn' => 'application/vnd.3m.post-it-notes', + 'pya' => 'audio/vnd.ms-playready.media.pya', + 'pyv' => 'video/vnd.ms-playready.media.pyv', + 'qam' => 'application/vnd.epson.quickanime', + 'qbo' => 'application/vnd.intu.qbo', + 'qfx' => 'application/vnd.intu.qfx', + 'qps' => 'application/vnd.publishare-delta-tree', + 'qt' => 'video/quicktime', + 'qwd' => 'application/vnd.quark.quarkxpress', + 'qwt' => 'application/vnd.quark.quarkxpress', + 'qxb' => 'application/vnd.quark.quarkxpress', + 'qxd' => 'application/vnd.quark.quarkxpress', + 'qxl' => 'application/vnd.quark.quarkxpress', + 'qxt' => 'application/vnd.quark.quarkxpress', + 'ra' => 'audio/x-pn-realaudio', + 'ram' => 'audio/x-pn-realaudio', + 'rar' => 'application/x-rar-compressed', + 'ras' => 'image/x-cmu-raster', + 'rb' => 'text/plain', + 'rcprofile' => 'application/vnd.ipunplugged.rcprofile', + 'rdf' => 'application/rdf+xml', + 'rdz' => 'application/vnd.data-vision.rdz', + 'rep' => 'application/vnd.businessobjects', + 'res' => 'application/x-dtbresource+xml', + 'resx' => 'text/xml', + 'rgb' => 'image/x-rgb', + 'rif' => 'application/reginfo+xml', + 'rip' => 'audio/vnd.rip', + 'rl' => 'application/resource-lists+xml', + 'rlc' => 'image/vnd.fujixerox.edmics-rlc', + 'rld' => 'application/resource-lists-diff+xml', + 'rm' => 'application/vnd.rn-realmedia', + 'rmi' => 'audio/midi', + 'rmp' => 'audio/x-pn-realaudio-plugin', + 'rms' => 'application/vnd.jcp.javame.midlet-rms', + 'rnc' => 'application/relax-ng-compact-syntax', + 'roff' => 'text/troff', + 'rp9' => 'application/vnd.cloanto.rp9', + 'rpss' => 'application/vnd.nokia.radio-presets', + 'rpst' => 'application/vnd.nokia.radio-preset', + 'rq' => 'application/sparql-query', + 'rs' => 'application/rls-services+xml', + 'rsd' => 'application/rsd+xml', + 'rss' => 'application/rss+xml', + 'rtf' => 'application/rtf', + 'rtx' => 'text/richtext', + 's' => 'text/x-asm', + 'saf' => 'application/vnd.yamaha.smaf-audio', + 'sbml' => 'application/sbml+xml', + 'sc' => 'application/vnd.ibm.secure-container', + 'scd' => 'application/x-msschedule', + 'scm' => 'application/vnd.lotus-screencam', + 'scq' => 'application/scvp-cv-request', + 'scs' => 'application/scvp-cv-response', + 'scurl' => 'text/vnd.curl.scurl', + 'sda' => 'application/vnd.stardivision.draw', + 'sdc' => 'application/vnd.stardivision.calc', + 'sdd' => 'application/vnd.stardivision.impress', + 'sdkd' => 'application/vnd.solent.sdkm+xml', + 'sdkm' => 'application/vnd.solent.sdkm+xml', + 'sdp' => 'application/sdp', + 'sdw' => 'application/vnd.stardivision.writer', + 'see' => 'application/vnd.seemail', + 'seed' => 'application/vnd.fdsn.seed', + 'sema' => 'application/vnd.sema', + 'semd' => 'application/vnd.semd', + 'semf' => 'application/vnd.semf', + 'ser' => 'application/java-serialized-object', + 'setpay' => 'application/set-payment-initiation', + 'setreg' => 'application/set-registration-initiation', + 'sfd-hdstx' => 'application/vnd.hydrostatix.sof-data', + 'sfs' => 'application/vnd.spotfire.sfs', + 'sgl' => 'application/vnd.stardivision.writer-global', + 'sgm' => 'text/sgml', + 'sgml' => 'text/sgml', + 'sh' => 'application/x-sh', + 'shar' => 'application/x-shar', + 'shf' => 'application/shf+xml', + 'sig' => 'application/pgp-signature', + 'silo' => 'model/mesh', + 'sis' => 'application/vnd.symbian.install', + 'sisx' => 'application/vnd.symbian.install', + 'sit' => 'application/x-stuffit', + 'sitx' => 'application/x-stuffitx', + 'skd' => 'application/vnd.koan', + 'skm' => 'application/vnd.koan', + 'skp' => 'application/vnd.koan', + 'skt' => 'application/vnd.koan', + 'sldm' => 'application/vnd.ms-powerpoint.slide.macroenabled.12', + 'sldx' => 'application/vnd.openxmlformats-officedocument.presentationml.slide', + 'slt' => 'application/vnd.epson.salt', + 'sm' => 'application/vnd.stepmania.stepchart', + 'smf' => 'application/vnd.stardivision.math', + 'smi' => 'application/smil+xml', + 'smil' => 'application/smil+xml', + 'snd' => 'audio/basic', + 'snf' => 'application/x-font-snf', + 'so' => 'application/octet-stream', + 'spc' => 'application/x-pkcs7-certificates', + 'spf' => 'application/vnd.yamaha.smaf-phrase', + 'spl' => 'application/x-futuresplash', + 'spot' => 'text/vnd.in3d.spot', + 'spp' => 'application/scvp-vp-response', + 'spq' => 'application/scvp-vp-request', + 'spx' => 'audio/ogg', + 'src' => 'application/x-wais-source', + 'sru' => 'application/sru+xml', + 'srx' => 'application/sparql-results+xml', + 'sse' => 'application/vnd.kodak-descriptor', + 'ssf' => 'application/vnd.epson.ssf', + 'ssml' => 'application/ssml+xml', + 'st' => 'application/vnd.sailingtracker.track', + 'stc' => 'application/vnd.sun.xml.calc.template', + 'std' => 'application/vnd.sun.xml.draw.template', + 'stf' => 'application/vnd.wt.stf', + 'sti' => 'application/vnd.sun.xml.impress.template', + 'stk' => 'application/hyperstudio', + 'stl' => 'application/vnd.ms-pki.stl', + 'str' => 'application/vnd.pg.format', + 'stw' => 'application/vnd.sun.xml.writer.template', + 'sub' => 'image/vnd.dvb.subtitle', + 'sus' => 'application/vnd.sus-calendar', + 'susp' => 'application/vnd.sus-calendar', + 'sv4cpio' => 'application/x-sv4cpio', + 'sv4crc' => 'application/x-sv4crc', + 'svc' => 'application/vnd.dvb.service', + 'svd' => 'application/vnd.svd', + 'svg' => 'image/svg+xml', + 'svgz' => 'image/svg+xml', + 'swa' => 'application/x-director', + 'swf' => 'application/x-shockwave-flash', + 'swi' => 'application/vnd.aristanetworks.swi', + 'sxc' => 'application/vnd.sun.xml.calc', + 'sxd' => 'application/vnd.sun.xml.draw', + 'sxg' => 'application/vnd.sun.xml.writer.global', + 'sxi' => 'application/vnd.sun.xml.impress', + 'sxm' => 'application/vnd.sun.xml.math', + 'sxw' => 'application/vnd.sun.xml.writer', + 't' => 'text/troff', + 'tao' => 'application/vnd.tao.intent-module-archive', + 'tar' => 'application/x-tar', + 'tcap' => 'application/vnd.3gpp2.tcap', + 'tcl' => 'application/x-tcl', + 'teacher' => 'application/vnd.smart.teacher', + 'tei' => 'application/tei+xml', + 'teicorpus' => 'application/tei+xml', + 'tex' => 'application/x-tex', + 'texi' => 'application/x-texinfo', + 'texinfo' => 'application/x-texinfo', + 'text' => 'text/plain', + 'tfi' => 'application/thraud+xml', + 'tfm' => 'application/x-tex-tfm', + 'thmx' => 'application/vnd.ms-officetheme', + 'tif' => 'image/tiff', + 'tiff' => 'image/tiff', + 'tmo' => 'application/vnd.tmobile-livetv', + 'torrent' => 'application/x-bittorrent', + 'tpl' => 'application/vnd.groove-tool-template', + 'tpt' => 'application/vnd.trid.tpt', + 'tr' => 'text/troff', + 'tra' => 'application/vnd.trueapp', + 'trm' => 'application/x-msterminal', + 'tsd' => 'application/timestamped-data', + 'tsv' => 'text/tab-separated-values', + 'ttc' => 'application/x-font-ttf', + 'ttf' => 'application/x-font-ttf', + 'ttl' => 'text/turtle', + 'twd' => 'application/vnd.simtech-mindmapper', + 'twds' => 'application/vnd.simtech-mindmapper', + 'txd' => 'application/vnd.genomatix.tuxedo', + 'txf' => 'application/vnd.mobius.txf', + 'txt' => 'text/plain', + 'u32' => 'application/x-authorware-bin', + 'udeb' => 'application/x-debian-package', + 'ufd' => 'application/vnd.ufdl', + 'ufdl' => 'application/vnd.ufdl', + 'umj' => 'application/vnd.umajin', + 'unityweb' => 'application/vnd.unity', + 'uoml' => 'application/vnd.uoml+xml', + 'uri' => 'text/uri-list', + 'uris' => 'text/uri-list', + 'urls' => 'text/uri-list', + 'ustar' => 'application/x-ustar', + 'utz' => 'application/vnd.uiq.theme', + 'uu' => 'text/x-uuencode', + 'uva' => 'audio/vnd.dece.audio', + 'uvd' => 'application/vnd.dece.data', + 'uvf' => 'application/vnd.dece.data', + 'uvg' => 'image/vnd.dece.graphic', + 'uvh' => 'video/vnd.dece.hd', + 'uvi' => 'image/vnd.dece.graphic', + 'uvm' => 'video/vnd.dece.mobile', + 'uvp' => 'video/vnd.dece.pd', + 'uvs' => 'video/vnd.dece.sd', + 'uvt' => 'application/vnd.dece.ttml+xml', + 'uvu' => 'video/vnd.uvvu.mp4', + 'uvv' => 'video/vnd.dece.video', + 'uvva' => 'audio/vnd.dece.audio', + 'uvvd' => 'application/vnd.dece.data', + 'uvvf' => 'application/vnd.dece.data', + 'uvvg' => 'image/vnd.dece.graphic', + 'uvvh' => 'video/vnd.dece.hd', + 'uvvi' => 'image/vnd.dece.graphic', + 'uvvm' => 'video/vnd.dece.mobile', + 'uvvp' => 'video/vnd.dece.pd', + 'uvvs' => 'video/vnd.dece.sd', + 'uvvt' => 'application/vnd.dece.ttml+xml', + 'uvvu' => 'video/vnd.uvvu.mp4', + 'uvvv' => 'video/vnd.dece.video', + 'uvvx' => 'application/vnd.dece.unspecified', + 'uvx' => 'application/vnd.dece.unspecified', + 'vcd' => 'application/x-cdlink', + 'vcf' => 'text/x-vcard', + 'vcg' => 'application/vnd.groove-vcard', + 'vcs' => 'text/x-vcalendar', + 'vcx' => 'application/vnd.vcx', + 'vis' => 'application/vnd.visionary', + 'viv' => 'video/vnd.vivo', + 'vor' => 'application/vnd.stardivision.writer', + 'vox' => 'application/x-authorware-bin', + 'vrml' => 'model/vrml', + 'vsd' => 'application/vnd.visio', + 'vsf' => 'application/vnd.vsf', + 'vss' => 'application/vnd.visio', + 'vst' => 'application/vnd.visio', + 'vsw' => 'application/vnd.visio', + 'vtu' => 'model/vnd.vtu', + 'vxml' => 'application/voicexml+xml', + 'w3d' => 'application/x-director', + 'wad' => 'application/x-doom', + 'wav' => 'audio/x-wav', + 'wax' => 'audio/x-ms-wax', + 'wbmp' => 'image/vnd.wap.wbmp', + 'wbs' => 'application/vnd.criticaltools.wbs+xml', + 'wbxml' => 'application/vnd.wap.wbxml', + 'wcm' => 'application/vnd.ms-works', + 'wdb' => 'application/vnd.ms-works', + 'weba' => 'audio/webm', + 'webm' => 'video/webm', + 'webp' => 'image/webp', + 'wg' => 'application/vnd.pmi.widget', + 'wgt' => 'application/widget', + 'wks' => 'application/vnd.ms-works', + 'wm' => 'video/x-ms-wm', + 'wma' => 'audio/x-ms-wma', + 'wmd' => 'application/x-ms-wmd', + 'wmf' => 'application/x-msmetafile', + 'wml' => 'text/vnd.wap.wml', + 'wmlc' => 'application/vnd.wap.wmlc', + 'wmls' => 'text/vnd.wap.wmlscript', + 'wmlsc' => 'application/vnd.wap.wmlscriptc', + 'wmv' => 'video/x-ms-wmv', + 'wmx' => 'video/x-ms-wmx', + 'wmz' => 'application/x-ms-wmz', + 'woff' => 'application/x-font-woff', + 'wpd' => 'application/vnd.wordperfect', + 'wpl' => 'application/vnd.ms-wpl', + 'wps' => 'application/vnd.ms-works', + 'wqd' => 'application/vnd.wqd', + 'wri' => 'application/x-mswrite', + 'wrl' => 'model/vrml', + 'wsdl' => 'application/wsdl+xml', + 'wspolicy' => 'application/wspolicy+xml', + 'wtb' => 'application/vnd.webturbo', + 'wvx' => 'video/x-ms-wvx', + 'x32' => 'application/x-authorware-bin', + 'x3d' => 'application/vnd.hzn-3d-crossword', + 'xap' => 'application/x-silverlight-app', + 'xar' => 'application/vnd.xara', + 'xbap' => 'application/x-ms-xbap', + 'xbd' => 'application/vnd.fujixerox.docuworks.binder', + 'xbm' => 'image/x-xbitmap', + 'xdf' => 'application/xcap-diff+xml', + 'xdm' => 'application/vnd.syncml.dm+xml', + 'xdp' => 'application/vnd.adobe.xdp+xml', + 'xdssc' => 'application/dssc+xml', + 'xdw' => 'application/vnd.fujixerox.docuworks', + 'xenc' => 'application/xenc+xml', + 'xer' => 'application/patch-ops-error+xml', + 'xfdf' => 'application/vnd.adobe.xfdf', + 'xfdl' => 'application/vnd.xfdl', + 'xht' => 'application/xhtml+xml', + 'xhtml' => 'application/xhtml+xml', + 'xhvml' => 'application/xv+xml', + 'xif' => 'image/vnd.xiff', + 'xla' => 'application/vnd.ms-excel', + 'xlam' => 'application/vnd.ms-excel.addin.macroenabled.12', + 'xlc' => 'application/vnd.ms-excel', + 'xlm' => 'application/vnd.ms-excel', + 'xls' => 'application/vnd.ms-excel', + 'xlsb' => 'application/vnd.ms-excel.sheet.binary.macroenabled.12', + 'xlsm' => 'application/vnd.ms-excel.sheet.macroenabled.12', + 'xlsx' => 'application/vnd.openxmlformats-officedocument.spreadsheetml.sheet', + 'xlt' => 'application/vnd.ms-excel', + 'xltm' => 'application/vnd.ms-excel.template.macroenabled.12', + 'xltx' => 'application/vnd.openxmlformats-officedocument.spreadsheetml.template', + 'xlw' => 'application/vnd.ms-excel', + 'xml' => 'application/xml', + 'xo' => 'application/vnd.olpc-sugar', + 'xop' => 'application/xop+xml', + 'xpi' => 'application/x-xpinstall', + 'xpm' => 'image/x-xpixmap', + 'xpr' => 'application/vnd.is-xpr', + 'xps' => 'application/vnd.ms-xpsdocument', + 'xpw' => 'application/vnd.intercon.formnet', + 'xpx' => 'application/vnd.intercon.formnet', + 'xsl' => 'application/xml', + 'xslt' => 'application/xslt+xml', + 'xsm' => 'application/vnd.syncml+xml', + 'xspf' => 'application/xspf+xml', + 'xul' => 'application/vnd.mozilla.xul+xml', + 'xvm' => 'application/xv+xml', + 'xvml' => 'application/xv+xml', + 'xwd' => 'image/x-xwindowdump', + 'xyz' => 'chemical/x-xyz', + 'yaml' => 'text/yaml', + 'yang' => 'application/yang', + 'yin' => 'application/yin+xml', + 'yml' => 'text/yaml', + 'zaz' => 'application/vnd.zzazz.deck+xml', + 'zip' => 'application/zip', + 'zir' => 'application/vnd.zul', + 'zirz' => 'application/vnd.zul', + 'zmm' => 'application/vnd.handheld-entertainment+xml' + ); + + /** + * Get a singleton instance of the class + * + * @return self + * @codeCoverageIgnore + */ + public static function getInstance() + { + if (!self::$instance) { + self::$instance = new self(); + } + + return self::$instance; + } + + /** + * Get a mimetype value from a file extension + * + * @param string $extension File extension + * + * @return string|null + * + */ + public function fromExtension($extension) + { + return isset($this->mimetypes[$extension]) ? $this->mimetypes[$extension] : null; + } + + /** + * Get a mimetype from a filename + * + * @param string $filename Filename to generate a mimetype from + * + * @return string|null + */ + public function fromFilename($filename) + { + return $this->fromExtension(pathinfo($filename, PATHINFO_EXTENSION)); + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Http/QueryAggregator/CommaAggregator.php b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Http/QueryAggregator/CommaAggregator.php new file mode 100644 index 0000000000..4b4e49d052 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Http/QueryAggregator/CommaAggregator.php @@ -0,0 +1,20 @@ +isUrlEncoding()) { + return array($query->encodeValue($key) => implode(',', array_map(array($query, 'encodeValue'), $value))); + } else { + return array($key => implode(',', $value)); + } + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Http/QueryAggregator/DuplicateAggregator.php b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Http/QueryAggregator/DuplicateAggregator.php new file mode 100644 index 0000000000..1bf1730e4e --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Http/QueryAggregator/DuplicateAggregator.php @@ -0,0 +1,22 @@ +isUrlEncoding()) { + return array($query->encodeValue($key) => array_map(array($query, 'encodeValue'), $value)); + } else { + return array($key => $value); + } + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Http/QueryAggregator/PhpAggregator.php b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Http/QueryAggregator/PhpAggregator.php new file mode 100644 index 0000000000..133ea2bd96 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Http/QueryAggregator/PhpAggregator.php @@ -0,0 +1,27 @@ + $v) { + $k = "{$key}[{$k}]"; + if (is_array($v)) { + $ret = array_merge($ret, self::aggregate($k, $v, $query)); + } else { + $ret[$query->encodeValue($k)] = $query->encodeValue($v); + } + } + + return $ret; + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Http/QueryAggregator/QueryAggregatorInterface.php b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Http/QueryAggregator/QueryAggregatorInterface.php new file mode 100644 index 0000000000..72bee620c8 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Http/QueryAggregator/QueryAggregatorInterface.php @@ -0,0 +1,22 @@ +hasKey($key)) { + $value = array($value); + } + $q->add($key, $value); + } else { + $q->add($key, null); + } + } + } + + return $q; + } + + /** + * Convert the query string parameters to a query string string + * + * @return string + */ + public function __toString() + { + if (!$this->data) { + return ''; + } + + $queryString = ''; + + foreach ($this->prepareData($this->data) as $name => $value) { + foreach ((array) $value as $v) { + if ($queryString) { + $queryString .= $this->fieldSeparator; + } + $queryString .= $name; + if ($v !== self::BLANK) { + $queryString .= $this->valueSeparator . $v; + } + } + } + + return $queryString; + } + + /** + * Get the query string field separator + * + * @return string + */ + public function getFieldSeparator() + { + return $this->fieldSeparator; + } + + /** + * Get the query string value separator + * + * @return string + */ + public function getValueSeparator() + { + return $this->valueSeparator; + } + + /** + * Returns the type of URL encoding used by the query string + * + * One of: false, "RFC 3986", or "application/x-www-form-urlencoded" + * + * @return bool|string + */ + public function getUrlEncoding() + { + return $this->urlEncode; + } + + /** + * Returns true or false if using URL encoding + * + * @return bool + */ + public function isUrlEncoding() + { + return $this->urlEncode !== false; + } + + /** + * Provide a function for combining multi-valued query string parameters into a single or multiple fields + * + * @param null|QueryAggregatorInterface $aggregator Pass in a QueryAggregatorInterface object to handle converting + * deeply nested query string variables into a flattened array. + * Pass null to use the default PHP style aggregator. For legacy + * reasons, this function accepts a callable that must accepts a + * $key, $value, and query object. + * @return self + * @see \Guzzle\Http\QueryString::aggregateUsingComma() + */ + public function setAggregator(QueryAggregatorInterface $aggregator = null) + { + // Use the default aggregator if none was set + if (!$aggregator) { + if (!self::$defaultAggregator) { + self::$defaultAggregator = new PhpAggregator(); + } + $aggregator = self::$defaultAggregator; + } + + $this->aggregator = $aggregator; + + return $this; + } + + /** + * Set whether or not field names and values should be rawurlencoded + * + * @param bool|string $encode Set to TRUE to use RFC 3986 encoding (rawurlencode), false to disable encoding, or + * form_urlencoding to use application/x-www-form-urlencoded encoding (urlencode) + * @return self + */ + public function useUrlEncoding($encode) + { + $this->urlEncode = ($encode === true) ? self::RFC_3986 : $encode; + + return $this; + } + + /** + * Set the query string separator + * + * @param string $separator The query string separator that will separate fields + * + * @return self + */ + public function setFieldSeparator($separator) + { + $this->fieldSeparator = $separator; + + return $this; + } + + /** + * Set the query string value separator + * + * @param string $separator The query string separator that will separate values from fields + * + * @return self + */ + public function setValueSeparator($separator) + { + $this->valueSeparator = $separator; + + return $this; + } + + /** + * Returns an array of url encoded field names and values + * + * @return array + */ + public function urlEncode() + { + return $this->prepareData($this->data); + } + + /** + * URL encodes a value based on the url encoding type of the query string object + * + * @param string $value Value to encode + * + * @return string + */ + public function encodeValue($value) + { + if ($this->urlEncode == self::RFC_3986) { + return rawurlencode($value); + } elseif ($this->urlEncode == self::FORM_URLENCODED) { + return urlencode($value); + } else { + return (string) $value; + } + } + + /** + * Url encode parameter data and convert nested query strings into a flattened hash. + * + * @param array $data The data to encode + * + * @return array Returns an array of encoded values and keys + */ + protected function prepareData(array $data) + { + // If no aggregator is present then set the default + if (!$this->aggregator) { + $this->setAggregator(null); + } + + $temp = array(); + foreach ($data as $key => $value) { + if (is_array($value)) { + $temp = array_merge($temp, $this->aggregator->aggregate($key, $value, $this)); + } else { + $temp[$this->encodeValue($key)] = $this->encodeValue($value); + } + } + + return $temp; + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Http/ReadLimitEntityBody.php b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Http/ReadLimitEntityBody.php new file mode 100644 index 0000000000..d0bc867e3a --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Http/ReadLimitEntityBody.php @@ -0,0 +1,106 @@ +setLimit($limit)->setOffset($offset); + $this->body->seek($offset); + } + + /** + * Returns only a subset of the decorated entity body when cast as a string + * {@inheritdoc} + */ + public function __toString() + { + return substr((string) $this->body, $this->offset, $this->limit) ?: ''; + } + + public function isConsumed() + { + return (($this->offset + $this->limit) - $this->body->ftell()) <= 0; + } + + /** + * Returns the Content-Length of the limited subset of data + * {@inheritdoc} + */ + public function getContentLength() + { + $length = $this->body->getContentLength(); + + return $length === false + ? $this->limit + : min($this->limit, min($length, $this->offset + $this->limit) - $this->offset); + } + + /** + * Allow for a bounded seek on the read limited entity body + * {@inheritdoc} + */ + public function seek($offset, $whence = SEEK_SET) + { + return $whence === SEEK_SET + ? $this->body->seek(max($this->offset, min($this->offset + $this->limit, $offset))) + : false; + } + + /** + * Set the offset to start limiting from + * + * @param int $offset Offset to seek to and begin byte limiting from + * + * @return self + */ + public function setOffset($offset) + { + $this->body->seek($offset); + $this->offset = $offset; + + return $this; + } + + /** + * Set the limit of bytes that the decorator allows to be read from the stream + * + * @param int $limit Total number of bytes to allow to be read from the stream + * + * @return self + */ + public function setLimit($limit) + { + $this->limit = $limit; + + return $this; + } + + public function read($length) + { + // Check if the current position is less than the total allowed bytes + original offset + $remaining = ($this->offset + $this->limit) - $this->body->ftell(); + if ($remaining > 0) { + // Only return the amount of requested data, ensuring that the byte limit is not exceeded + return $this->body->read(min($remaining, $length)); + } else { + return false; + } + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Http/RedirectPlugin.php b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Http/RedirectPlugin.php new file mode 100644 index 0000000000..391edb152b --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Http/RedirectPlugin.php @@ -0,0 +1,250 @@ + array('onRequestSent', 100), + 'request.clone' => 'cleanupRequest', + 'request.before_send' => 'cleanupRequest' + ); + } + + /** + * Clean up the parameters of a request when it is cloned + * + * @param Event $event Event emitted + */ + public function cleanupRequest(Event $event) + { + $params = $event['request']->getParams(); + unset($params[self::REDIRECT_COUNT]); + unset($params[self::PARENT_REQUEST]); + } + + /** + * Called when a request receives a redirect response + * + * @param Event $event Event emitted + */ + public function onRequestSent(Event $event) + { + $response = $event['response']; + $request = $event['request']; + + // Only act on redirect requests with Location headers + if (!$response || $request->getParams()->get(self::DISABLE)) { + return; + } + + // Trace the original request based on parameter history + $original = $this->getOriginalRequest($request); + + // Terminating condition to set the effective repsonse on the original request + if (!$response->isRedirect() || !$response->hasHeader('Location')) { + if ($request !== $original) { + // This is a terminating redirect response, so set it on the original request + $response->getParams()->set(self::REDIRECT_COUNT, $original->getParams()->get(self::REDIRECT_COUNT)); + $original->setResponse($response); + $response->setEffectiveUrl($request->getUrl()); + } + return; + } + + $this->sendRedirectRequest($original, $request, $response); + } + + /** + * Get the original request that initiated a series of redirects + * + * @param RequestInterface $request Request to get the original request from + * + * @return RequestInterface + */ + protected function getOriginalRequest(RequestInterface $request) + { + $original = $request; + // The number of redirects is held on the original request, so determine which request that is + while ($parent = $original->getParams()->get(self::PARENT_REQUEST)) { + $original = $parent; + } + + return $original; + } + + /** + * Create a redirect request for a specific request object + * + * Takes into account strict RFC compliant redirection (e.g. redirect POST with POST) vs doing what most clients do + * (e.g. redirect POST with GET). + * + * @param RequestInterface $request Request being redirected + * @param RequestInterface $original Original request + * @param int $statusCode Status code of the redirect + * @param string $location Location header of the redirect + * + * @return RequestInterface Returns a new redirect request + * @throws CouldNotRewindStreamException If the body needs to be rewound but cannot + */ + protected function createRedirectRequest( + RequestInterface $request, + $statusCode, + $location, + RequestInterface $original + ) { + $redirectRequest = null; + $strict = $original->getParams()->get(self::STRICT_REDIRECTS); + + // Use a GET request if this is an entity enclosing request and we are not forcing RFC compliance, but rather + // emulating what all browsers would do + if ($request instanceof EntityEnclosingRequestInterface && !$strict && $statusCode <= 302) { + $redirectRequest = RequestFactory::getInstance()->cloneRequestWithMethod($request, 'GET'); + } else { + $redirectRequest = clone $request; + } + + $redirectRequest->setIsRedirect(true); + // Always use the same response body when redirecting + $redirectRequest->setResponseBody($request->getResponseBody()); + + $location = Url::factory($location); + // If the location is not absolute, then combine it with the original URL + if (!$location->isAbsolute()) { + $originalUrl = $redirectRequest->getUrl(true); + // Remove query string parameters and just take what is present on the redirect Location header + $originalUrl->getQuery()->clear(); + $location = $originalUrl->combine((string) $location); + } + + $redirectRequest->setUrl($location); + + // Add the parent request to the request before it sends (make sure it's before the onRequestClone event too) + $redirectRequest->getEventDispatcher()->addListener( + 'request.before_send', + $func = function ($e) use (&$func, $request, $redirectRequest) { + $redirectRequest->getEventDispatcher()->removeListener('request.before_send', $func); + $e['request']->getParams()->set(RedirectPlugin::PARENT_REQUEST, $request); + } + ); + + // Rewind the entity body of the request if needed + if ($redirectRequest instanceof EntityEnclosingRequestInterface && $redirectRequest->getBody()) { + $body = $redirectRequest->getBody(); + // Only rewind the body if some of it has been read already, and throw an exception if the rewind fails + if ($body->ftell() && !$body->rewind()) { + throw new CouldNotRewindStreamException( + 'Unable to rewind the non-seekable entity body of the request after redirecting. cURL probably ' + . 'sent part of body before the redirect occurred. Try adding acustom rewind function using on the ' + . 'entity body of the request using setRewindFunction().' + ); + } + } + + return $redirectRequest; + } + + /** + * Prepare the request for redirection and enforce the maximum number of allowed redirects per client + * + * @param RequestInterface $original Origina request + * @param RequestInterface $request Request to prepare and validate + * @param Response $response The current response + * + * @return RequestInterface + */ + protected function prepareRedirection(RequestInterface $original, RequestInterface $request, Response $response) + { + $params = $original->getParams(); + // This is a new redirect, so increment the redirect counter + $current = $params[self::REDIRECT_COUNT] + 1; + $params[self::REDIRECT_COUNT] = $current; + // Use a provided maximum value or default to a max redirect count of 5 + $max = isset($params[self::MAX_REDIRECTS]) ? $params[self::MAX_REDIRECTS] : $this->defaultMaxRedirects; + + // Throw an exception if the redirect count is exceeded + if ($current > $max) { + $this->throwTooManyRedirectsException($original, $max); + return false; + } else { + // Create a redirect request based on the redirect rules set on the request + return $this->createRedirectRequest( + $request, + $response->getStatusCode(), + trim($response->getLocation()), + $original + ); + } + } + + /** + * Send a redirect request and handle any errors + * + * @param RequestInterface $original The originating request + * @param RequestInterface $request The current request being redirected + * @param Response $response The response of the current request + * + * @throws BadResponseException|\Exception + */ + protected function sendRedirectRequest(RequestInterface $original, RequestInterface $request, Response $response) + { + // Validate and create a redirect request based on the original request and current response + if ($redirectRequest = $this->prepareRedirection($original, $request, $response)) { + try { + $redirectRequest->send(); + } catch (BadResponseException $e) { + $e->getResponse(); + if (!$e->getResponse()) { + throw $e; + } + } + } + } + + /** + * Throw a too many redirects exception for a request + * + * @param RequestInterface $original Request + * @param int $max Max allowed redirects + * + * @throws TooManyRedirectsException when too many redirects have been issued + */ + protected function throwTooManyRedirectsException(RequestInterface $original, $max) + { + $original->getEventDispatcher()->addListener( + 'request.complete', + $func = function ($e) use (&$func, $original, $max) { + $original->getEventDispatcher()->removeListener('request.complete', $func); + $str = "{$max} redirects were issued for this request:\n" . $e['request']->getRawHeaders(); + throw new TooManyRedirectsException($str); + } + ); + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Http/Resources/cacert.pem b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Http/Resources/cacert.pem new file mode 100644 index 0000000000..99b310bce9 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Http/Resources/cacert.pem @@ -0,0 +1,3895 @@ +## +## ca-bundle.crt -- Bundle of CA Root Certificates +## +## Certificate data from Mozilla as of: Sat Dec 29 20:03:40 2012 +## +## This is a bundle of X.509 certificates of public Certificate Authorities +## (CA). These were automatically extracted from Mozilla's root certificates +## file (certdata.txt). This file can be found in the mozilla source tree: +## http://mxr.mozilla.org/mozilla/source/security/nss/lib/ckfw/builtins/certdata.txt?raw=1 +## +## It contains the certificates in PEM format and therefore +## can be directly used with curl / libcurl / php_curl, or with +## an Apache+mod_ssl webserver for SSL client authentication. +## Just configure this file as the SSLCACertificateFile. +## + +# @(#) $RCSfile: certdata.txt,v $ $Revision: 1.87 $ $Date: 2012/12/29 16:32:45 $ + +GTE CyberTrust Global Root +========================== +-----BEGIN CERTIFICATE----- +MIICWjCCAcMCAgGlMA0GCSqGSIb3DQEBBAUAMHUxCzAJBgNVBAYTAlVTMRgwFgYDVQQKEw9HVEUg +Q29ycG9yYXRpb24xJzAlBgNVBAsTHkdURSBDeWJlclRydXN0IFNvbHV0aW9ucywgSW5jLjEjMCEG +A1UEAxMaR1RFIEN5YmVyVHJ1c3QgR2xvYmFsIFJvb3QwHhcNOTgwODEzMDAyOTAwWhcNMTgwODEz +MjM1OTAwWjB1MQswCQYDVQQGEwJVUzEYMBYGA1UEChMPR1RFIENvcnBvcmF0aW9uMScwJQYDVQQL +Ex5HVEUgQ3liZXJUcnVzdCBTb2x1dGlvbnMsIEluYy4xIzAhBgNVBAMTGkdURSBDeWJlclRydXN0 +IEdsb2JhbCBSb290MIGfMA0GCSqGSIb3DQEBAQUAA4GNADCBiQKBgQCVD6C28FCc6HrHiM3dFw4u +sJTQGz0O9pTAipTHBsiQl8i4ZBp6fmw8U+E3KHNgf7KXUwefU/ltWJTSr41tiGeA5u2ylc9yMcql +HHK6XALnZELn+aks1joNrI1CqiQBOeacPwGFVw1Yh0X404Wqk2kmhXBIgD8SFcd5tB8FLztimQID +AQABMA0GCSqGSIb3DQEBBAUAA4GBAG3rGwnpXtlR22ciYaQqPEh346B8pt5zohQDhT37qw4wxYMW +M4ETCJ57NE7fQMh017l93PR2VX2bY1QY6fDq81yx2YtCHrnAlU66+tXifPVoYb+O7AWXX1uw16OF +NMQkpw0PlZPvy5TYnh+dXIVtx6quTx8itc2VrbqnzPmrC3p/ +-----END CERTIFICATE----- + +Thawte Server CA +================ +-----BEGIN CERTIFICATE----- +MIIDEzCCAnygAwIBAgIBATANBgkqhkiG9w0BAQQFADCBxDELMAkGA1UEBhMCWkExFTATBgNVBAgT +DFdlc3Rlcm4gQ2FwZTESMBAGA1UEBxMJQ2FwZSBUb3duMR0wGwYDVQQKExRUaGF3dGUgQ29uc3Vs +dGluZyBjYzEoMCYGA1UECxMfQ2VydGlmaWNhdGlvbiBTZXJ2aWNlcyBEaXZpc2lvbjEZMBcGA1UE +AxMQVGhhd3RlIFNlcnZlciBDQTEmMCQGCSqGSIb3DQEJARYXc2VydmVyLWNlcnRzQHRoYXd0ZS5j +b20wHhcNOTYwODAxMDAwMDAwWhcNMjAxMjMxMjM1OTU5WjCBxDELMAkGA1UEBhMCWkExFTATBgNV +BAgTDFdlc3Rlcm4gQ2FwZTESMBAGA1UEBxMJQ2FwZSBUb3duMR0wGwYDVQQKExRUaGF3dGUgQ29u +c3VsdGluZyBjYzEoMCYGA1UECxMfQ2VydGlmaWNhdGlvbiBTZXJ2aWNlcyBEaXZpc2lvbjEZMBcG +A1UEAxMQVGhhd3RlIFNlcnZlciBDQTEmMCQGCSqGSIb3DQEJARYXc2VydmVyLWNlcnRzQHRoYXd0 +ZS5jb20wgZ8wDQYJKoZIhvcNAQEBBQADgY0AMIGJAoGBANOkUG7I/1Zr5s9dtuoMaHVHoqrC2oQl +/Kj0R1HahbUgdJSGHg91yekIYfUGbTBuFRkC6VLAYttNmZ7iagxEOM3+vuNkCXDF/rFrKbYvScg7 +1CcEJRCXL+eQbcAoQpnXTEPew/UhbVSfXcNY4cDk2VuwuNy0e982OsK1ZiIS1ocNAgMBAAGjEzAR +MA8GA1UdEwEB/wQFMAMBAf8wDQYJKoZIhvcNAQEEBQADgYEAB/pMaVz7lcxG7oWDTSEwjsrZqG9J +GubaUeNgcGyEYRGhGshIPllDfU+VPaGLtwtimHp1it2ITk6eQNuozDJ0uW8NxuOzRAvZim+aKZuZ +GCg70eNAKJpaPNW15yAbi8qkq43pUdniTCxZqdq5snUb9kLy78fyGPmJvKP/iiMucEc= +-----END CERTIFICATE----- + +Thawte Premium Server CA +======================== +-----BEGIN CERTIFICATE----- +MIIDJzCCApCgAwIBAgIBATANBgkqhkiG9w0BAQQFADCBzjELMAkGA1UEBhMCWkExFTATBgNVBAgT +DFdlc3Rlcm4gQ2FwZTESMBAGA1UEBxMJQ2FwZSBUb3duMR0wGwYDVQQKExRUaGF3dGUgQ29uc3Vs +dGluZyBjYzEoMCYGA1UECxMfQ2VydGlmaWNhdGlvbiBTZXJ2aWNlcyBEaXZpc2lvbjEhMB8GA1UE +AxMYVGhhd3RlIFByZW1pdW0gU2VydmVyIENBMSgwJgYJKoZIhvcNAQkBFhlwcmVtaXVtLXNlcnZl +ckB0aGF3dGUuY29tMB4XDTk2MDgwMTAwMDAwMFoXDTIwMTIzMTIzNTk1OVowgc4xCzAJBgNVBAYT +AlpBMRUwEwYDVQQIEwxXZXN0ZXJuIENhcGUxEjAQBgNVBAcTCUNhcGUgVG93bjEdMBsGA1UEChMU +VGhhd3RlIENvbnN1bHRpbmcgY2MxKDAmBgNVBAsTH0NlcnRpZmljYXRpb24gU2VydmljZXMgRGl2 +aXNpb24xITAfBgNVBAMTGFRoYXd0ZSBQcmVtaXVtIFNlcnZlciBDQTEoMCYGCSqGSIb3DQEJARYZ +cHJlbWl1bS1zZXJ2ZXJAdGhhd3RlLmNvbTCBnzANBgkqhkiG9w0BAQEFAAOBjQAwgYkCgYEA0jY2 +aovXwlue2oFBYo847kkEVdbQ7xwblRZH7xhINTpS9CtqBo87L+pW46+GjZ4X9560ZXUCTe/LCaIh +Udib0GfQug2SBhRz1JPLlyoAnFxODLz6FVL88kRu2hFKbgifLy3j+ao6hnO2RlNYyIkFvYMRuHM/ +qgeN9EJN50CdHDcCAwEAAaMTMBEwDwYDVR0TAQH/BAUwAwEB/zANBgkqhkiG9w0BAQQFAAOBgQAm +SCwWwlj66BZ0DKqqX1Q/8tfJeGBeXm43YyJ3Nn6yF8Q0ufUIhfzJATj/Tb7yFkJD57taRvvBxhEf +8UqwKEbJw8RCfbz6q1lu1bdRiBHjpIUZa4JMpAwSremkrj/xw0llmozFyD4lt5SZu5IycQfwhl7t +UCemDaYj+bvLpgcUQg== +-----END CERTIFICATE----- + +Equifax Secure CA +================= +-----BEGIN CERTIFICATE----- +MIIDIDCCAomgAwIBAgIENd70zzANBgkqhkiG9w0BAQUFADBOMQswCQYDVQQGEwJVUzEQMA4GA1UE +ChMHRXF1aWZheDEtMCsGA1UECxMkRXF1aWZheCBTZWN1cmUgQ2VydGlmaWNhdGUgQXV0aG9yaXR5 +MB4XDTk4MDgyMjE2NDE1MVoXDTE4MDgyMjE2NDE1MVowTjELMAkGA1UEBhMCVVMxEDAOBgNVBAoT +B0VxdWlmYXgxLTArBgNVBAsTJEVxdWlmYXggU2VjdXJlIENlcnRpZmljYXRlIEF1dGhvcml0eTCB +nzANBgkqhkiG9w0BAQEFAAOBjQAwgYkCgYEAwV2xWGcIYu6gmi0fCG2RFGiYCh7+2gRvE4RiIcPR +fM6fBeC4AfBONOziipUEZKzxa1NfBbPLZ4C/QgKO/t0BCezhABRP/PvwDN1Dulsr4R+AcJkVV5MW +8Q+XarfCaCMczE1ZMKxRHjuvK9buY0V7xdlfUNLjUA86iOe/FP3gx7kCAwEAAaOCAQkwggEFMHAG +A1UdHwRpMGcwZaBjoGGkXzBdMQswCQYDVQQGEwJVUzEQMA4GA1UEChMHRXF1aWZheDEtMCsGA1UE +CxMkRXF1aWZheCBTZWN1cmUgQ2VydGlmaWNhdGUgQXV0aG9yaXR5MQ0wCwYDVQQDEwRDUkwxMBoG +A1UdEAQTMBGBDzIwMTgwODIyMTY0MTUxWjALBgNVHQ8EBAMCAQYwHwYDVR0jBBgwFoAUSOZo+SvS +spXXR9gjIBBPM5iQn9QwHQYDVR0OBBYEFEjmaPkr0rKV10fYIyAQTzOYkJ/UMAwGA1UdEwQFMAMB +Af8wGgYJKoZIhvZ9B0EABA0wCxsFVjMuMGMDAgbAMA0GCSqGSIb3DQEBBQUAA4GBAFjOKer89961 +zgK5F7WF0bnj4JXMJTENAKaSbn+2kmOeUJXRmm/kEd5jhW6Y7qj/WsjTVbJmcVfewCHrPSqnI0kB +BIZCe/zuf6IWUrVnZ9NA2zsmWLIodz2uFHdh1voqZiegDfqnc1zqcPGUIWVEX/r87yloqaKHee95 +70+sB3c4 +-----END CERTIFICATE----- + +Digital Signature Trust Co. Global CA 1 +======================================= +-----BEGIN CERTIFICATE----- +MIIDKTCCApKgAwIBAgIENnAVljANBgkqhkiG9w0BAQUFADBGMQswCQYDVQQGEwJVUzEkMCIGA1UE +ChMbRGlnaXRhbCBTaWduYXR1cmUgVHJ1c3QgQ28uMREwDwYDVQQLEwhEU1RDQSBFMTAeFw05ODEy +MTAxODEwMjNaFw0xODEyMTAxODQwMjNaMEYxCzAJBgNVBAYTAlVTMSQwIgYDVQQKExtEaWdpdGFs +IFNpZ25hdHVyZSBUcnVzdCBDby4xETAPBgNVBAsTCERTVENBIEUxMIGdMA0GCSqGSIb3DQEBAQUA +A4GLADCBhwKBgQCgbIGpzzQeJN3+hijM3oMv+V7UQtLodGBmE5gGHKlREmlvMVW5SXIACH7TpWJE +NySZj9mDSI+ZbZUTu0M7LklOiDfBu1h//uG9+LthzfNHwJmm8fOR6Hh8AMthyUQncWlVSn5JTe2i +o74CTADKAqjuAQIxZA9SLRN0dja1erQtcQIBA6OCASQwggEgMBEGCWCGSAGG+EIBAQQEAwIABzBo +BgNVHR8EYTBfMF2gW6BZpFcwVTELMAkGA1UEBhMCVVMxJDAiBgNVBAoTG0RpZ2l0YWwgU2lnbmF0 +dXJlIFRydXN0IENvLjERMA8GA1UECxMIRFNUQ0EgRTExDTALBgNVBAMTBENSTDEwKwYDVR0QBCQw +IoAPMTk5ODEyMTAxODEwMjNagQ8yMDE4MTIxMDE4MTAyM1owCwYDVR0PBAQDAgEGMB8GA1UdIwQY +MBaAFGp5fpFpRhgTCgJ3pVlbYJglDqL4MB0GA1UdDgQWBBRqeX6RaUYYEwoCd6VZW2CYJQ6i+DAM +BgNVHRMEBTADAQH/MBkGCSqGSIb2fQdBAAQMMAobBFY0LjADAgSQMA0GCSqGSIb3DQEBBQUAA4GB +ACIS2Hod3IEGtgllsofIH160L+nEHvI8wbsEkBFKg05+k7lNQseSJqBcNJo4cvj9axY+IO6CizEq +kzaFI4iKPANo08kJD038bKTaKHKTDomAsH3+gG9lbRgzl4vCa4nuYD3Im+9/KzJic5PLPON74nZ4 +RbyhkwS7hp86W0N6w4pl +-----END CERTIFICATE----- + +Digital Signature Trust Co. Global CA 3 +======================================= +-----BEGIN CERTIFICATE----- +MIIDKTCCApKgAwIBAgIENm7TzjANBgkqhkiG9w0BAQUFADBGMQswCQYDVQQGEwJVUzEkMCIGA1UE +ChMbRGlnaXRhbCBTaWduYXR1cmUgVHJ1c3QgQ28uMREwDwYDVQQLEwhEU1RDQSBFMjAeFw05ODEy +MDkxOTE3MjZaFw0xODEyMDkxOTQ3MjZaMEYxCzAJBgNVBAYTAlVTMSQwIgYDVQQKExtEaWdpdGFs +IFNpZ25hdHVyZSBUcnVzdCBDby4xETAPBgNVBAsTCERTVENBIEUyMIGdMA0GCSqGSIb3DQEBAQUA +A4GLADCBhwKBgQC/k48Xku8zExjrEH9OFr//Bo8qhbxe+SSmJIi2A7fBw18DW9Fvrn5C6mYjuGOD +VvsoLeE4i7TuqAHhzhy2iCoiRoX7n6dwqUcUP87eZfCocfdPJmyMvMa1795JJ/9IKn3oTQPMx7JS +xhcxEzu1TdvIxPbDDyQq2gyd55FbgM2UnQIBA6OCASQwggEgMBEGCWCGSAGG+EIBAQQEAwIABzBo +BgNVHR8EYTBfMF2gW6BZpFcwVTELMAkGA1UEBhMCVVMxJDAiBgNVBAoTG0RpZ2l0YWwgU2lnbmF0 +dXJlIFRydXN0IENvLjERMA8GA1UECxMIRFNUQ0EgRTIxDTALBgNVBAMTBENSTDEwKwYDVR0QBCQw +IoAPMTk5ODEyMDkxOTE3MjZagQ8yMDE4MTIwOTE5MTcyNlowCwYDVR0PBAQDAgEGMB8GA1UdIwQY +MBaAFB6CTShlgDzJQW6sNS5ay97u+DlbMB0GA1UdDgQWBBQegk0oZYA8yUFurDUuWsve7vg5WzAM +BgNVHRMEBTADAQH/MBkGCSqGSIb2fQdBAAQMMAobBFY0LjADAgSQMA0GCSqGSIb3DQEBBQUAA4GB +AEeNg61i8tuwnkUiBbmi1gMOOHLnnvx75pO2mqWilMg0HZHRxdf0CiUPPXiBng+xZ8SQTGPdXqfi +up/1902lMXucKS1M/mQ+7LZT/uqb7YLbdHVLB3luHtgZg3Pe9T7Qtd7nS2h9Qy4qIOF+oHhEngj1 +mPnHfxsb1gYgAlihw6ID +-----END CERTIFICATE----- + +Verisign Class 3 Public Primary Certification Authority +======================================================= +-----BEGIN CERTIFICATE----- +MIICPDCCAaUCEHC65B0Q2Sk0tjjKewPMur8wDQYJKoZIhvcNAQECBQAwXzELMAkGA1UEBhMCVVMx +FzAVBgNVBAoTDlZlcmlTaWduLCBJbmMuMTcwNQYDVQQLEy5DbGFzcyAzIFB1YmxpYyBQcmltYXJ5 +IENlcnRpZmljYXRpb24gQXV0aG9yaXR5MB4XDTk2MDEyOTAwMDAwMFoXDTI4MDgwMTIzNTk1OVow +XzELMAkGA1UEBhMCVVMxFzAVBgNVBAoTDlZlcmlTaWduLCBJbmMuMTcwNQYDVQQLEy5DbGFzcyAz +IFB1YmxpYyBQcmltYXJ5IENlcnRpZmljYXRpb24gQXV0aG9yaXR5MIGfMA0GCSqGSIb3DQEBAQUA +A4GNADCBiQKBgQDJXFme8huKARS0EN8EQNvjV69qRUCPhAwL0TPZ2RHP7gJYHyX3KqhEBarsAx94 +f56TuZoAqiN91qyFomNFx3InzPRMxnVx0jnvT0Lwdd8KkMaOIG+YD/isI19wKTakyYbnsZogy1Ol +hec9vn2a/iRFM9x2Fe0PonFkTGUugWhFpwIDAQABMA0GCSqGSIb3DQEBAgUAA4GBALtMEivPLCYA +TxQT3ab7/AoRhIzzKBxnki98tsX63/Dolbwdj2wsqFHMc9ikwFPwTtYmwHYBV4GSXiHx0bH/59Ah +WM1pF+NEHJwZRDmJXNycAA9WjQKZ7aKQRUzkuxCkPfAyAw7xzvjoyVGM5mKf5p/AfbdynMk2Omuf +Tqj/ZA1k +-----END CERTIFICATE----- + +Verisign Class 1 Public Primary Certification Authority - G2 +============================================================ +-----BEGIN CERTIFICATE----- +MIIDAjCCAmsCEEzH6qqYPnHTkxD4PTqJkZIwDQYJKoZIhvcNAQEFBQAwgcExCzAJBgNVBAYTAlVT +MRcwFQYDVQQKEw5WZXJpU2lnbiwgSW5jLjE8MDoGA1UECxMzQ2xhc3MgMSBQdWJsaWMgUHJpbWFy +eSBDZXJ0aWZpY2F0aW9uIEF1dGhvcml0eSAtIEcyMTowOAYDVQQLEzEoYykgMTk5OCBWZXJpU2ln +biwgSW5jLiAtIEZvciBhdXRob3JpemVkIHVzZSBvbmx5MR8wHQYDVQQLExZWZXJpU2lnbiBUcnVz +dCBOZXR3b3JrMB4XDTk4MDUxODAwMDAwMFoXDTI4MDgwMTIzNTk1OVowgcExCzAJBgNVBAYTAlVT +MRcwFQYDVQQKEw5WZXJpU2lnbiwgSW5jLjE8MDoGA1UECxMzQ2xhc3MgMSBQdWJsaWMgUHJpbWFy +eSBDZXJ0aWZpY2F0aW9uIEF1dGhvcml0eSAtIEcyMTowOAYDVQQLEzEoYykgMTk5OCBWZXJpU2ln +biwgSW5jLiAtIEZvciBhdXRob3JpemVkIHVzZSBvbmx5MR8wHQYDVQQLExZWZXJpU2lnbiBUcnVz +dCBOZXR3b3JrMIGfMA0GCSqGSIb3DQEBAQUAA4GNADCBiQKBgQCq0Lq+Fi24g9TK0g+8djHKlNgd +k4xWArzZbxpvUjZudVYKVdPfQ4chEWWKfo+9Id5rMj8bhDSVBZ1BNeuS65bdqlk/AVNtmU/t5eIq +WpDBucSmFc/IReumXY6cPvBkJHalzasab7bYe1FhbqZ/h8jit+U03EGI6glAvnOSPWvndQIDAQAB +MA0GCSqGSIb3DQEBBQUAA4GBAKlPww3HZ74sy9mozS11534Vnjty637rXC0Jh9ZrbWB85a7FkCMM +XErQr7Fd88e2CtvgFZMN3QO8x3aKtd1Pw5sTdbgBwObJW2uluIncrKTdcu1OofdPvAbT6shkdHvC +lUGcZXNY8ZCaPGqxmMnEh7zPRW1F4m4iP/68DzFc6PLZ +-----END CERTIFICATE----- + +Verisign Class 2 Public Primary Certification Authority - G2 +============================================================ +-----BEGIN CERTIFICATE----- +MIIDAzCCAmwCEQC5L2DMiJ+hekYJuFtwbIqvMA0GCSqGSIb3DQEBBQUAMIHBMQswCQYDVQQGEwJV +UzEXMBUGA1UEChMOVmVyaVNpZ24sIEluYy4xPDA6BgNVBAsTM0NsYXNzIDIgUHVibGljIFByaW1h +cnkgQ2VydGlmaWNhdGlvbiBBdXRob3JpdHkgLSBHMjE6MDgGA1UECxMxKGMpIDE5OTggVmVyaVNp +Z24sIEluYy4gLSBGb3IgYXV0aG9yaXplZCB1c2Ugb25seTEfMB0GA1UECxMWVmVyaVNpZ24gVHJ1 +c3QgTmV0d29yazAeFw05ODA1MTgwMDAwMDBaFw0yODA4MDEyMzU5NTlaMIHBMQswCQYDVQQGEwJV +UzEXMBUGA1UEChMOVmVyaVNpZ24sIEluYy4xPDA6BgNVBAsTM0NsYXNzIDIgUHVibGljIFByaW1h +cnkgQ2VydGlmaWNhdGlvbiBBdXRob3JpdHkgLSBHMjE6MDgGA1UECxMxKGMpIDE5OTggVmVyaVNp +Z24sIEluYy4gLSBGb3IgYXV0aG9yaXplZCB1c2Ugb25seTEfMB0GA1UECxMWVmVyaVNpZ24gVHJ1 +c3QgTmV0d29yazCBnzANBgkqhkiG9w0BAQEFAAOBjQAwgYkCgYEAp4gBIXQs5xoD8JjhlzwPIQjx +nNuX6Zr8wgQGE75fUsjMHiwSViy4AWkszJkfrbCWrnkE8hM5wXuYuggs6MKEEyyqaekJ9MepAqRC +wiNPStjwDqL7MWzJ5m+ZJwf15vRMeJ5t60aG+rmGyVTyssSv1EYcWskVMP8NbPUtDm3Of3cCAwEA +ATANBgkqhkiG9w0BAQUFAAOBgQByLvl/0fFx+8Se9sVeUYpAmLho+Jscg9jinb3/7aHmZuovCfTK +1+qlK5X2JGCGTUQug6XELaDTrnhpb3LabK4I8GOSN+a7xDAXrXfMSTWqz9iP0b63GJZHc2pUIjRk +LbYWm1lbtFFZOrMLFPQS32eg9K0yZF6xRnInjBJ7xUS0rg== +-----END CERTIFICATE----- + +Verisign Class 3 Public Primary Certification Authority - G2 +============================================================ +-----BEGIN CERTIFICATE----- +MIIDAjCCAmsCEH3Z/gfPqB63EHln+6eJNMYwDQYJKoZIhvcNAQEFBQAwgcExCzAJBgNVBAYTAlVT +MRcwFQYDVQQKEw5WZXJpU2lnbiwgSW5jLjE8MDoGA1UECxMzQ2xhc3MgMyBQdWJsaWMgUHJpbWFy +eSBDZXJ0aWZpY2F0aW9uIEF1dGhvcml0eSAtIEcyMTowOAYDVQQLEzEoYykgMTk5OCBWZXJpU2ln +biwgSW5jLiAtIEZvciBhdXRob3JpemVkIHVzZSBvbmx5MR8wHQYDVQQLExZWZXJpU2lnbiBUcnVz +dCBOZXR3b3JrMB4XDTk4MDUxODAwMDAwMFoXDTI4MDgwMTIzNTk1OVowgcExCzAJBgNVBAYTAlVT +MRcwFQYDVQQKEw5WZXJpU2lnbiwgSW5jLjE8MDoGA1UECxMzQ2xhc3MgMyBQdWJsaWMgUHJpbWFy +eSBDZXJ0aWZpY2F0aW9uIEF1dGhvcml0eSAtIEcyMTowOAYDVQQLEzEoYykgMTk5OCBWZXJpU2ln +biwgSW5jLiAtIEZvciBhdXRob3JpemVkIHVzZSBvbmx5MR8wHQYDVQQLExZWZXJpU2lnbiBUcnVz +dCBOZXR3b3JrMIGfMA0GCSqGSIb3DQEBAQUAA4GNADCBiQKBgQDMXtERXVxp0KvTuWpMmR9ZmDCO +FoUgRm1HP9SFIIThbbP4pO0M8RcPO/mn+SXXwc+EY/J8Y8+iR/LGWzOOZEAEaMGAuWQcRXfH2G71 +lSk8UOg013gfqLptQ5GVj0VXXn7F+8qkBOvqlzdUMG+7AUcyM83cV5tkaWH4mx0ciU9cZwIDAQAB +MA0GCSqGSIb3DQEBBQUAA4GBAFFNzb5cy5gZnBWyATl4Lk0PZ3BwmcYQWpSkU01UbSuvDV1Ai2TT +1+7eVmGSX6bEHRBhNtMsJzzoKQm5EWR0zLVznxxIqbxhAe7iF6YM40AIOw7n60RzKprxaZLvcRTD +Oaxxp5EJb+RxBrO6WVcmeQD2+A2iMzAo1KpYoJ2daZH9 +-----END CERTIFICATE----- + +GlobalSign Root CA +================== +-----BEGIN CERTIFICATE----- +MIIDdTCCAl2gAwIBAgILBAAAAAABFUtaw5QwDQYJKoZIhvcNAQEFBQAwVzELMAkGA1UEBhMCQkUx +GTAXBgNVBAoTEEdsb2JhbFNpZ24gbnYtc2ExEDAOBgNVBAsTB1Jvb3QgQ0ExGzAZBgNVBAMTEkds +b2JhbFNpZ24gUm9vdCBDQTAeFw05ODA5MDExMjAwMDBaFw0yODAxMjgxMjAwMDBaMFcxCzAJBgNV +BAYTAkJFMRkwFwYDVQQKExBHbG9iYWxTaWduIG52LXNhMRAwDgYDVQQLEwdSb290IENBMRswGQYD +VQQDExJHbG9iYWxTaWduIFJvb3QgQ0EwggEiMA0GCSqGSIb3DQEBAQUAA4IBDwAwggEKAoIBAQDa +DuaZjc6j40+Kfvvxi4Mla+pIH/EqsLmVEQS98GPR4mdmzxzdzxtIK+6NiY6arymAZavpxy0Sy6sc +THAHoT0KMM0VjU/43dSMUBUc71DuxC73/OlS8pF94G3VNTCOXkNz8kHp1Wrjsok6Vjk4bwY8iGlb +Kk3Fp1S4bInMm/k8yuX9ifUSPJJ4ltbcdG6TRGHRjcdGsnUOhugZitVtbNV4FpWi6cgKOOvyJBNP +c1STE4U6G7weNLWLBYy5d4ux2x8gkasJU26Qzns3dLlwR5EiUWMWea6xrkEmCMgZK9FGqkjWZCrX +gzT/LCrBbBlDSgeF59N89iFo7+ryUp9/k5DPAgMBAAGjQjBAMA4GA1UdDwEB/wQEAwIBBjAPBgNV +HRMBAf8EBTADAQH/MB0GA1UdDgQWBBRge2YaRQ2XyolQL30EzTSo//z9SzANBgkqhkiG9w0BAQUF +AAOCAQEA1nPnfE920I2/7LqivjTFKDK1fPxsnCwrvQmeU79rXqoRSLblCKOzyj1hTdNGCbM+w6Dj +Y1Ub8rrvrTnhQ7k4o+YviiY776BQVvnGCv04zcQLcFGUl5gE38NflNUVyRRBnMRddWQVDf9VMOyG +j/8N7yy5Y0b2qvzfvGn9LhJIZJrglfCm7ymPAbEVtQwdpf5pLGkkeB6zpxxxYu7KyJesF12KwvhH +hm4qxFYxldBniYUr+WymXUadDKqC5JlR3XC321Y9YeRq4VzW9v493kHMB65jUr9TU/Qr6cf9tveC +X4XSQRjbgbMEHMUfpIBvFSDJ3gyICh3WZlXi/EjJKSZp4A== +-----END CERTIFICATE----- + +GlobalSign Root CA - R2 +======================= +-----BEGIN CERTIFICATE----- +MIIDujCCAqKgAwIBAgILBAAAAAABD4Ym5g0wDQYJKoZIhvcNAQEFBQAwTDEgMB4GA1UECxMXR2xv +YmFsU2lnbiBSb290IENBIC0gUjIxEzARBgNVBAoTCkdsb2JhbFNpZ24xEzARBgNVBAMTCkdsb2Jh +bFNpZ24wHhcNMDYxMjE1MDgwMDAwWhcNMjExMjE1MDgwMDAwWjBMMSAwHgYDVQQLExdHbG9iYWxT +aWduIFJvb3QgQ0EgLSBSMjETMBEGA1UEChMKR2xvYmFsU2lnbjETMBEGA1UEAxMKR2xvYmFsU2ln +bjCCASIwDQYJKoZIhvcNAQEBBQADggEPADCCAQoCggEBAKbPJA6+Lm8omUVCxKs+IVSbC9N/hHD6 +ErPLv4dfxn+G07IwXNb9rfF73OX4YJYJkhD10FPe+3t+c4isUoh7SqbKSaZeqKeMWhG8eoLrvozp +s6yWJQeXSpkqBy+0Hne/ig+1AnwblrjFuTosvNYSuetZfeLQBoZfXklqtTleiDTsvHgMCJiEbKjN +S7SgfQx5TfC4LcshytVsW33hoCmEofnTlEnLJGKRILzdC9XZzPnqJworc5HGnRusyMvo4KD0L5CL +TfuwNhv2GXqF4G3yYROIXJ/gkwpRl4pazq+r1feqCapgvdzZX99yqWATXgAByUr6P6TqBwMhAo6C +ygPCm48CAwEAAaOBnDCBmTAOBgNVHQ8BAf8EBAMCAQYwDwYDVR0TAQH/BAUwAwEB/zAdBgNVHQ4E +FgQUm+IHV2ccHsBqBt5ZtJot39wZhi4wNgYDVR0fBC8wLTAroCmgJ4YlaHR0cDovL2NybC5nbG9i +YWxzaWduLm5ldC9yb290LXIyLmNybDAfBgNVHSMEGDAWgBSb4gdXZxwewGoG3lm0mi3f3BmGLjAN +BgkqhkiG9w0BAQUFAAOCAQEAmYFThxxol4aR7OBKuEQLq4GsJ0/WwbgcQ3izDJr86iw8bmEbTUsp +9Z8FHSbBuOmDAGJFtqkIk7mpM0sYmsL4h4hO291xNBrBVNpGP+DTKqttVCL1OmLNIG+6KYnX3ZHu +01yiPqFbQfXf5WRDLenVOavSot+3i9DAgBkcRcAtjOj4LaR0VknFBbVPFd5uRHg5h6h+u/N5GJG7 +9G+dwfCMNYxdAfvDbbnvRG15RjF+Cv6pgsH/76tuIMRQyV+dTZsXjAzlAcmgQWpzU/qlULRuJQ/7 +TBj0/VLZjmmx6BEP3ojY+x1J96relc8geMJgEtslQIxq/H5COEBkEveegeGTLg== +-----END CERTIFICATE----- + +ValiCert Class 1 VA +=================== +-----BEGIN CERTIFICATE----- +MIIC5zCCAlACAQEwDQYJKoZIhvcNAQEFBQAwgbsxJDAiBgNVBAcTG1ZhbGlDZXJ0IFZhbGlkYXRp +b24gTmV0d29yazEXMBUGA1UEChMOVmFsaUNlcnQsIEluYy4xNTAzBgNVBAsTLFZhbGlDZXJ0IENs +YXNzIDEgUG9saWN5IFZhbGlkYXRpb24gQXV0aG9yaXR5MSEwHwYDVQQDExhodHRwOi8vd3d3LnZh +bGljZXJ0LmNvbS8xIDAeBgkqhkiG9w0BCQEWEWluZm9AdmFsaWNlcnQuY29tMB4XDTk5MDYyNTIy +MjM0OFoXDTE5MDYyNTIyMjM0OFowgbsxJDAiBgNVBAcTG1ZhbGlDZXJ0IFZhbGlkYXRpb24gTmV0 +d29yazEXMBUGA1UEChMOVmFsaUNlcnQsIEluYy4xNTAzBgNVBAsTLFZhbGlDZXJ0IENsYXNzIDEg +UG9saWN5IFZhbGlkYXRpb24gQXV0aG9yaXR5MSEwHwYDVQQDExhodHRwOi8vd3d3LnZhbGljZXJ0 +LmNvbS8xIDAeBgkqhkiG9w0BCQEWEWluZm9AdmFsaWNlcnQuY29tMIGfMA0GCSqGSIb3DQEBAQUA +A4GNADCBiQKBgQDYWYJ6ibiWuqYvaG9YLqdUHAZu9OqNSLwxlBfw8068srg1knaw0KWlAdcAAxIi +GQj4/xEjm84H9b9pGib+TunRf50sQB1ZaG6m+FiwnRqP0z/x3BkGgagO4DrdyFNFCQbmD3DD+kCm +DuJWBQ8YTfwggtFzVXSNdnKgHZ0dwN0/cQIDAQABMA0GCSqGSIb3DQEBBQUAA4GBAFBoPUn0LBwG +lN+VYH+Wexf+T3GtZMjdd9LvWVXoP+iOBSoh8gfStadS/pyxtuJbdxdA6nLWI8sogTLDAHkY7FkX +icnGah5xyf23dKUlRWnFSKsZ4UWKJWsZ7uW7EvV/96aNUcPwnXS3qT6gpf+2SQMT2iLM7XGCK5nP +Orf1LXLI +-----END CERTIFICATE----- + +ValiCert Class 2 VA +=================== +-----BEGIN CERTIFICATE----- +MIIC5zCCAlACAQEwDQYJKoZIhvcNAQEFBQAwgbsxJDAiBgNVBAcTG1ZhbGlDZXJ0IFZhbGlkYXRp +b24gTmV0d29yazEXMBUGA1UEChMOVmFsaUNlcnQsIEluYy4xNTAzBgNVBAsTLFZhbGlDZXJ0IENs +YXNzIDIgUG9saWN5IFZhbGlkYXRpb24gQXV0aG9yaXR5MSEwHwYDVQQDExhodHRwOi8vd3d3LnZh +bGljZXJ0LmNvbS8xIDAeBgkqhkiG9w0BCQEWEWluZm9AdmFsaWNlcnQuY29tMB4XDTk5MDYyNjAw +MTk1NFoXDTE5MDYyNjAwMTk1NFowgbsxJDAiBgNVBAcTG1ZhbGlDZXJ0IFZhbGlkYXRpb24gTmV0 +d29yazEXMBUGA1UEChMOVmFsaUNlcnQsIEluYy4xNTAzBgNVBAsTLFZhbGlDZXJ0IENsYXNzIDIg +UG9saWN5IFZhbGlkYXRpb24gQXV0aG9yaXR5MSEwHwYDVQQDExhodHRwOi8vd3d3LnZhbGljZXJ0 +LmNvbS8xIDAeBgkqhkiG9w0BCQEWEWluZm9AdmFsaWNlcnQuY29tMIGfMA0GCSqGSIb3DQEBAQUA +A4GNADCBiQKBgQDOOnHK5avIWZJV16vYdA757tn2VUdZZUcOBVXc65g2PFxTXdMwzzjsvUGJ7SVC +CSRrCl6zfN1SLUzm1NZ9WlmpZdRJEy0kTRxQb7XBhVQ7/nHk01xC+YDgkRoKWzk2Z/M/VXwbP7Rf +ZHM047QSv4dk+NoS/zcnwbNDu+97bi5p9wIDAQABMA0GCSqGSIb3DQEBBQUAA4GBADt/UG9vUJSZ +SWI4OB9L+KXIPqeCgfYrx+jFzug6EILLGACOTb2oWH+heQC1u+mNr0HZDzTuIYEZoDJJKPTEjlbV +UjP9UNV+mWwD5MlM/Mtsq2azSiGM5bUMMj4QssxsodyamEwCW/POuZ6lcg5Ktz885hZo+L7tdEy8 +W9ViH0Pd +-----END CERTIFICATE----- + +RSA Root Certificate 1 +====================== +-----BEGIN CERTIFICATE----- +MIIC5zCCAlACAQEwDQYJKoZIhvcNAQEFBQAwgbsxJDAiBgNVBAcTG1ZhbGlDZXJ0IFZhbGlkYXRp +b24gTmV0d29yazEXMBUGA1UEChMOVmFsaUNlcnQsIEluYy4xNTAzBgNVBAsTLFZhbGlDZXJ0IENs +YXNzIDMgUG9saWN5IFZhbGlkYXRpb24gQXV0aG9yaXR5MSEwHwYDVQQDExhodHRwOi8vd3d3LnZh +bGljZXJ0LmNvbS8xIDAeBgkqhkiG9w0BCQEWEWluZm9AdmFsaWNlcnQuY29tMB4XDTk5MDYyNjAw +MjIzM1oXDTE5MDYyNjAwMjIzM1owgbsxJDAiBgNVBAcTG1ZhbGlDZXJ0IFZhbGlkYXRpb24gTmV0 +d29yazEXMBUGA1UEChMOVmFsaUNlcnQsIEluYy4xNTAzBgNVBAsTLFZhbGlDZXJ0IENsYXNzIDMg +UG9saWN5IFZhbGlkYXRpb24gQXV0aG9yaXR5MSEwHwYDVQQDExhodHRwOi8vd3d3LnZhbGljZXJ0 +LmNvbS8xIDAeBgkqhkiG9w0BCQEWEWluZm9AdmFsaWNlcnQuY29tMIGfMA0GCSqGSIb3DQEBAQUA +A4GNADCBiQKBgQDjmFGWHOjVsQaBalfDcnWTq8+epvzzFlLWLU2fNUSoLgRNB0mKOCn1dzfnt6td +3zZxFJmP3MKS8edgkpfs2Ejcv8ECIMYkpChMMFp2bbFc893enhBxoYjHW5tBbcqwuI4V7q0zK89H +BFx1cQqYJJgpp0lZpd34t0NiYfPT4tBVPwIDAQABMA0GCSqGSIb3DQEBBQUAA4GBAFa7AliEZwgs +3x/be0kz9dNnnfS0ChCzycUs4pJqcXgn8nCDQtM+z6lU9PHYkhaM0QTLS6vJn0WuPIqpsHEzXcjF +V9+vqDWzf4mH6eglkrh/hXqu1rweN1gqZ8mRzyqBPu3GOd/APhmcGcwTTYJBtYze4D1gCCAPRX5r +on+jjBXu +-----END CERTIFICATE----- + +Verisign Class 1 Public Primary Certification Authority - G3 +============================================================ +-----BEGIN CERTIFICATE----- +MIIEGjCCAwICEQCLW3VWhFSFCwDPrzhIzrGkMA0GCSqGSIb3DQEBBQUAMIHKMQswCQYDVQQGEwJV +UzEXMBUGA1UEChMOVmVyaVNpZ24sIEluYy4xHzAdBgNVBAsTFlZlcmlTaWduIFRydXN0IE5ldHdv +cmsxOjA4BgNVBAsTMShjKSAxOTk5IFZlcmlTaWduLCBJbmMuIC0gRm9yIGF1dGhvcml6ZWQgdXNl +IG9ubHkxRTBDBgNVBAMTPFZlcmlTaWduIENsYXNzIDEgUHVibGljIFByaW1hcnkgQ2VydGlmaWNh +dGlvbiBBdXRob3JpdHkgLSBHMzAeFw05OTEwMDEwMDAwMDBaFw0zNjA3MTYyMzU5NTlaMIHKMQsw +CQYDVQQGEwJVUzEXMBUGA1UEChMOVmVyaVNpZ24sIEluYy4xHzAdBgNVBAsTFlZlcmlTaWduIFRy +dXN0IE5ldHdvcmsxOjA4BgNVBAsTMShjKSAxOTk5IFZlcmlTaWduLCBJbmMuIC0gRm9yIGF1dGhv +cml6ZWQgdXNlIG9ubHkxRTBDBgNVBAMTPFZlcmlTaWduIENsYXNzIDEgUHVibGljIFByaW1hcnkg +Q2VydGlmaWNhdGlvbiBBdXRob3JpdHkgLSBHMzCCASIwDQYJKoZIhvcNAQEBBQADggEPADCCAQoC +ggEBAN2E1Lm0+afY8wR4nN493GwTFtl63SRRZsDHJlkNrAYIwpTRMx/wgzUfbhvI3qpuFU5UJ+/E +bRrsC+MO8ESlV8dAWB6jRx9x7GD2bZTIGDnt/kIYVt/kTEkQeE4BdjVjEjbdZrwBBDajVWjVojYJ +rKshJlQGrT/KFOCsyq0GHZXi+J3x4GD/wn91K0zM2v6HmSHquv4+VNfSWXjbPG7PoBMAGrgnoeS+ +Z5bKoMWznN3JdZ7rMJpfo83ZrngZPyPpXNspva1VyBtUjGP26KbqxzcSXKMpHgLZ2x87tNcPVkeB +FQRKr4Mn0cVYiMHd9qqnoxjaaKptEVHhv2Vrn5Z20T0CAwEAATANBgkqhkiG9w0BAQUFAAOCAQEA +q2aN17O6x5q25lXQBfGfMY1aqtmqRiYPce2lrVNWYgFHKkTp/j90CxObufRNG7LRX7K20ohcs5/N +y9Sn2WCVhDr4wTcdYcrnsMXlkdpUpqwxga6X3s0IrLjAl4B/bnKk52kTlWUfxJM8/XmPBNQ+T+r3 +ns7NZ3xPZQL/kYVUc8f/NveGLezQXk//EZ9yBta4GvFMDSZl4kSAHsef493oCtrspSCAaWihT37h +a88HQfqDjrw43bAuEbFrskLMmrz5SCJ5ShkPshw+IHTZasO+8ih4E1Z5T21Q6huwtVexN2ZYI/Pc +D98Kh8TvhgXVOBRgmaNL3gaWcSzy27YfpO8/7g== +-----END CERTIFICATE----- + +Verisign Class 2 Public Primary Certification Authority - G3 +============================================================ +-----BEGIN CERTIFICATE----- +MIIEGTCCAwECEGFwy0mMX5hFKeewptlQW3owDQYJKoZIhvcNAQEFBQAwgcoxCzAJBgNVBAYTAlVT +MRcwFQYDVQQKEw5WZXJpU2lnbiwgSW5jLjEfMB0GA1UECxMWVmVyaVNpZ24gVHJ1c3QgTmV0d29y +azE6MDgGA1UECxMxKGMpIDE5OTkgVmVyaVNpZ24sIEluYy4gLSBGb3IgYXV0aG9yaXplZCB1c2Ug +b25seTFFMEMGA1UEAxM8VmVyaVNpZ24gQ2xhc3MgMiBQdWJsaWMgUHJpbWFyeSBDZXJ0aWZpY2F0 +aW9uIEF1dGhvcml0eSAtIEczMB4XDTk5MTAwMTAwMDAwMFoXDTM2MDcxNjIzNTk1OVowgcoxCzAJ +BgNVBAYTAlVTMRcwFQYDVQQKEw5WZXJpU2lnbiwgSW5jLjEfMB0GA1UECxMWVmVyaVNpZ24gVHJ1 +c3QgTmV0d29yazE6MDgGA1UECxMxKGMpIDE5OTkgVmVyaVNpZ24sIEluYy4gLSBGb3IgYXV0aG9y +aXplZCB1c2Ugb25seTFFMEMGA1UEAxM8VmVyaVNpZ24gQ2xhc3MgMiBQdWJsaWMgUHJpbWFyeSBD +ZXJ0aWZpY2F0aW9uIEF1dGhvcml0eSAtIEczMIIBIjANBgkqhkiG9w0BAQEFAAOCAQ8AMIIBCgKC +AQEArwoNwtUs22e5LeWUJ92lvuCwTY+zYVY81nzD9M0+hsuiiOLh2KRpxbXiv8GmR1BeRjmL1Za6 +tW8UvxDOJxOeBUebMXoT2B/Z0wI3i60sR/COgQanDTAM6/c8DyAd3HJG7qUCyFvDyVZpTMUYwZF7 +C9UTAJu878NIPkZgIIUq1ZC2zYugzDLdt/1AVbJQHFauzI13TccgTacxdu9okoqQHgiBVrKtaaNS +0MscxCM9H5n+TOgWY47GCI72MfbS+uV23bUckqNJzc0BzWjNqWm6o+sdDZykIKbBoMXRRkwXbdKs +Zj+WjOCE1Db/IlnF+RFgqF8EffIa9iVCYQ/ESrg+iQIDAQABMA0GCSqGSIb3DQEBBQUAA4IBAQA0 +JhU8wI1NQ0kdvekhktdmnLfexbjQ5F1fdiLAJvmEOjr5jLX77GDx6M4EsMjdpwOPMPOY36TmpDHf +0xwLRtxyID+u7gU8pDM/CzmscHhzS5kr3zDCVLCoO1Wh/hYozUK9dG6A2ydEp85EXdQbkJgNHkKU +sQAsBNB0owIFImNjzYO1+8FtYmtpdf1dcEG59b98377BMnMiIYtYgXsVkXq642RIsH/7NiXaldDx +JBQX3RiAa0YjOVT1jmIJBB2UkKab5iXiQkWquJCtvgiPqQtCGJTPcjnhsUPgKM+351psE2tJs//j +GHyJizNdrDPXp/naOlXJWBD5qu9ats9LS98q +-----END CERTIFICATE----- + +Verisign Class 3 Public Primary Certification Authority - G3 +============================================================ +-----BEGIN CERTIFICATE----- +MIIEGjCCAwICEQCbfgZJoz5iudXukEhxKe9XMA0GCSqGSIb3DQEBBQUAMIHKMQswCQYDVQQGEwJV +UzEXMBUGA1UEChMOVmVyaVNpZ24sIEluYy4xHzAdBgNVBAsTFlZlcmlTaWduIFRydXN0IE5ldHdv +cmsxOjA4BgNVBAsTMShjKSAxOTk5IFZlcmlTaWduLCBJbmMuIC0gRm9yIGF1dGhvcml6ZWQgdXNl +IG9ubHkxRTBDBgNVBAMTPFZlcmlTaWduIENsYXNzIDMgUHVibGljIFByaW1hcnkgQ2VydGlmaWNh +dGlvbiBBdXRob3JpdHkgLSBHMzAeFw05OTEwMDEwMDAwMDBaFw0zNjA3MTYyMzU5NTlaMIHKMQsw +CQYDVQQGEwJVUzEXMBUGA1UEChMOVmVyaVNpZ24sIEluYy4xHzAdBgNVBAsTFlZlcmlTaWduIFRy +dXN0IE5ldHdvcmsxOjA4BgNVBAsTMShjKSAxOTk5IFZlcmlTaWduLCBJbmMuIC0gRm9yIGF1dGhv +cml6ZWQgdXNlIG9ubHkxRTBDBgNVBAMTPFZlcmlTaWduIENsYXNzIDMgUHVibGljIFByaW1hcnkg +Q2VydGlmaWNhdGlvbiBBdXRob3JpdHkgLSBHMzCCASIwDQYJKoZIhvcNAQEBBQADggEPADCCAQoC +ggEBAMu6nFL8eB8aHm8bN3O9+MlrlBIwT/A2R/XQkQr1F8ilYcEWQE37imGQ5XYgwREGfassbqb1 +EUGO+i2tKmFZpGcmTNDovFJbcCAEWNF6yaRpvIMXZK0Fi7zQWM6NjPXr8EJJC52XJ2cybuGukxUc +cLwgTS8Y3pKI6GyFVxEa6X7jJhFUokWWVYPKMIno3Nij7SqAP395ZVc+FSBmCC+Vk7+qRy+oRpfw +EuL+wgorUeZ25rdGt+INpsyow0xZVYnm6FNcHOqd8GIWC6fJXwzw3sJ2zq/3avL6QaaiMxTJ5Xpj +055iN9WFZZ4O5lMkdBteHRJTW8cs54NJOxWuimi5V5cCAwEAATANBgkqhkiG9w0BAQUFAAOCAQEA +ERSWwauSCPc/L8my/uRan2Te2yFPhpk0djZX3dAVL8WtfxUfN2JzPtTnX84XA9s1+ivbrmAJXx5f +j267Cz3qWhMeDGBvtcC1IyIuBwvLqXTLR7sdwdela8wv0kL9Sd2nic9TutoAWii/gt/4uhMdUIaC +/Y4wjylGsB49Ndo4YhYYSq3mtlFs3q9i6wHQHiT+eo8SGhJouPtmmRQURVyu565pF4ErWjfJXir0 +xuKhXFSbplQAz/DxwceYMBo7Nhbbo27q/a2ywtrvAkcTisDxszGtTxzhT5yvDwyd93gN2PQ1VoDa +t20Xj50egWTh/sVFuq1ruQp6Tk9LhO5L8X3dEQ== +-----END CERTIFICATE----- + +Verisign Class 4 Public Primary Certification Authority - G3 +============================================================ +-----BEGIN CERTIFICATE----- +MIIEGjCCAwICEQDsoKeLbnVqAc/EfMwvlF7XMA0GCSqGSIb3DQEBBQUAMIHKMQswCQYDVQQGEwJV +UzEXMBUGA1UEChMOVmVyaVNpZ24sIEluYy4xHzAdBgNVBAsTFlZlcmlTaWduIFRydXN0IE5ldHdv +cmsxOjA4BgNVBAsTMShjKSAxOTk5IFZlcmlTaWduLCBJbmMuIC0gRm9yIGF1dGhvcml6ZWQgdXNl +IG9ubHkxRTBDBgNVBAMTPFZlcmlTaWduIENsYXNzIDQgUHVibGljIFByaW1hcnkgQ2VydGlmaWNh +dGlvbiBBdXRob3JpdHkgLSBHMzAeFw05OTEwMDEwMDAwMDBaFw0zNjA3MTYyMzU5NTlaMIHKMQsw +CQYDVQQGEwJVUzEXMBUGA1UEChMOVmVyaVNpZ24sIEluYy4xHzAdBgNVBAsTFlZlcmlTaWduIFRy +dXN0IE5ldHdvcmsxOjA4BgNVBAsTMShjKSAxOTk5IFZlcmlTaWduLCBJbmMuIC0gRm9yIGF1dGhv +cml6ZWQgdXNlIG9ubHkxRTBDBgNVBAMTPFZlcmlTaWduIENsYXNzIDQgUHVibGljIFByaW1hcnkg +Q2VydGlmaWNhdGlvbiBBdXRob3JpdHkgLSBHMzCCASIwDQYJKoZIhvcNAQEBBQADggEPADCCAQoC +ggEBAK3LpRFpxlmr8Y+1GQ9Wzsy1HyDkniYlS+BzZYlZ3tCD5PUPtbut8XzoIfzk6AzufEUiGXaS +tBO3IFsJ+mGuqPKljYXCKtbeZjbSmwL0qJJgfJxptI8kHtCGUvYynEFYHiK9zUVilQhu0GbdU6LM +8BDcVHOLBKFGMzNcF0C5nk3T875Vg+ixiY5afJqWIpA7iCXy0lOIAgwLePLmNxdLMEYH5IBtptiW +Lugs+BGzOA1mppvqySNb247i8xOOGlktqgLw7KSHZtzBP/XYufTsgsbSPZUd5cBPhMnZo0QoBmrX +Razwa2rvTl/4EYIeOGM0ZlDUPpNz+jDDZq3/ky2X7wMCAwEAATANBgkqhkiG9w0BAQUFAAOCAQEA +j/ola09b5KROJ1WrIhVZPMq1CtRK26vdoV9TxaBXOcLORyu+OshWv8LZJxA6sQU8wHcxuzrTBXtt +mhwwjIDLk5Mqg6sFUYICABFna/OIYUdfA5PVWw3g8dShMjWFsjrbsIKr0csKvE+MW8VLADsfKoKm +fjaF3H48ZwC15DtS4KjrXRX5xm3wrR0OhbepmnMUWluPQSjA1egtTaRezarZ7c7c2NU8Qh0XwRJd +RTjDOPP8hS6DRkiy1yBfkjaP53kPmF6Z6PDQpLv1U70qzlmwr25/bLvSHgCwIe34QWKCudiyxLtG +UPMxxY8BqHTr9Xgn2uf3ZkPznoM+IKrDNWCRzg== +-----END CERTIFICATE----- + +Entrust.net Secure Server CA +============================ +-----BEGIN CERTIFICATE----- +MIIE2DCCBEGgAwIBAgIEN0rSQzANBgkqhkiG9w0BAQUFADCBwzELMAkGA1UEBhMCVVMxFDASBgNV +BAoTC0VudHJ1c3QubmV0MTswOQYDVQQLEzJ3d3cuZW50cnVzdC5uZXQvQ1BTIGluY29ycC4gYnkg +cmVmLiAobGltaXRzIGxpYWIuKTElMCMGA1UECxMcKGMpIDE5OTkgRW50cnVzdC5uZXQgTGltaXRl +ZDE6MDgGA1UEAxMxRW50cnVzdC5uZXQgU2VjdXJlIFNlcnZlciBDZXJ0aWZpY2F0aW9uIEF1dGhv +cml0eTAeFw05OTA1MjUxNjA5NDBaFw0xOTA1MjUxNjM5NDBaMIHDMQswCQYDVQQGEwJVUzEUMBIG +A1UEChMLRW50cnVzdC5uZXQxOzA5BgNVBAsTMnd3dy5lbnRydXN0Lm5ldC9DUFMgaW5jb3JwLiBi +eSByZWYuIChsaW1pdHMgbGlhYi4pMSUwIwYDVQQLExwoYykgMTk5OSBFbnRydXN0Lm5ldCBMaW1p +dGVkMTowOAYDVQQDEzFFbnRydXN0Lm5ldCBTZWN1cmUgU2VydmVyIENlcnRpZmljYXRpb24gQXV0 +aG9yaXR5MIGdMA0GCSqGSIb3DQEBAQUAA4GLADCBhwKBgQDNKIM0VBuJ8w+vN5Ex/68xYMmo6LIQ +aO2f55M28Qpku0f1BBc/I0dNxScZgSYMVHINiC3ZH5oSn7yzcdOAGT9HZnuMNSjSuQrfJNqc1lB5 +gXpa0zf3wkrYKZImZNHkmGw6AIr1NJtl+O3jEP/9uElY3KDegjlrgbEWGWG5VLbmQwIBA6OCAdcw +ggHTMBEGCWCGSAGG+EIBAQQEAwIABzCCARkGA1UdHwSCARAwggEMMIHeoIHboIHYpIHVMIHSMQsw +CQYDVQQGEwJVUzEUMBIGA1UEChMLRW50cnVzdC5uZXQxOzA5BgNVBAsTMnd3dy5lbnRydXN0Lm5l +dC9DUFMgaW5jb3JwLiBieSByZWYuIChsaW1pdHMgbGlhYi4pMSUwIwYDVQQLExwoYykgMTk5OSBF +bnRydXN0Lm5ldCBMaW1pdGVkMTowOAYDVQQDEzFFbnRydXN0Lm5ldCBTZWN1cmUgU2VydmVyIENl +cnRpZmljYXRpb24gQXV0aG9yaXR5MQ0wCwYDVQQDEwRDUkwxMCmgJ6AlhiNodHRwOi8vd3d3LmVu +dHJ1c3QubmV0L0NSTC9uZXQxLmNybDArBgNVHRAEJDAigA8xOTk5MDUyNTE2MDk0MFqBDzIwMTkw +NTI1MTYwOTQwWjALBgNVHQ8EBAMCAQYwHwYDVR0jBBgwFoAU8BdiE1U9s/8KAGv7UISX8+1i0Bow +HQYDVR0OBBYEFPAXYhNVPbP/CgBr+1CEl/PtYtAaMAwGA1UdEwQFMAMBAf8wGQYJKoZIhvZ9B0EA +BAwwChsEVjQuMAMCBJAwDQYJKoZIhvcNAQEFBQADgYEAkNwwAvpkdMKnCqV8IY00F6j7Rw7/JXyN +Ewr75Ji174z4xRAN95K+8cPV1ZVqBLssziY2ZcgxxufuP+NXdYR6Ee9GTxj005i7qIcyunL2POI9 +n9cd2cNgQ4xYDiKWL2KjLB+6rQXvqzJ4h6BUcxm1XAX5Uj5tLUUL9wqT6u0G+bI= +-----END CERTIFICATE----- + +Entrust.net Premium 2048 Secure Server CA +========================================= +-----BEGIN CERTIFICATE----- +MIIEXDCCA0SgAwIBAgIEOGO5ZjANBgkqhkiG9w0BAQUFADCBtDEUMBIGA1UEChMLRW50cnVzdC5u +ZXQxQDA+BgNVBAsUN3d3dy5lbnRydXN0Lm5ldC9DUFNfMjA0OCBpbmNvcnAuIGJ5IHJlZi4gKGxp +bWl0cyBsaWFiLikxJTAjBgNVBAsTHChjKSAxOTk5IEVudHJ1c3QubmV0IExpbWl0ZWQxMzAxBgNV +BAMTKkVudHJ1c3QubmV0IENlcnRpZmljYXRpb24gQXV0aG9yaXR5ICgyMDQ4KTAeFw05OTEyMjQx +NzUwNTFaFw0xOTEyMjQxODIwNTFaMIG0MRQwEgYDVQQKEwtFbnRydXN0Lm5ldDFAMD4GA1UECxQ3 +d3d3LmVudHJ1c3QubmV0L0NQU18yMDQ4IGluY29ycC4gYnkgcmVmLiAobGltaXRzIGxpYWIuKTEl +MCMGA1UECxMcKGMpIDE5OTkgRW50cnVzdC5uZXQgTGltaXRlZDEzMDEGA1UEAxMqRW50cnVzdC5u +ZXQgQ2VydGlmaWNhdGlvbiBBdXRob3JpdHkgKDIwNDgpMIIBIjANBgkqhkiG9w0BAQEFAAOCAQ8A +MIIBCgKCAQEArU1LqRKGsuqjIAcVFmQqK0vRvwtKTY7tgHalZ7d4QMBzQshowNtTK91euHaYNZOL +Gp18EzoOH1u3Hs/lJBQesYGpjX24zGtLA/ECDNyrpUAkAH90lKGdCCmziAv1h3edVc3kw37XamSr +hRSGlVuXMlBvPci6Zgzj/L24ScF2iUkZ/cCovYmjZy/Gn7xxGWC4LeksyZB2ZnuU4q941mVTXTzW +nLLPKQP5L6RQstRIzgUyVYr9smRMDuSYB3Xbf9+5CFVghTAp+XtIpGmG4zU/HoZdenoVve8AjhUi +VBcAkCaTvA5JaJG/+EfTnZVCwQ5N328mz8MYIWJmQ3DW1cAH4QIDAQABo3QwcjARBglghkgBhvhC +AQEEBAMCAAcwHwYDVR0jBBgwFoAUVeSB0RGAvtiJuQijMfmhJAkWuXAwHQYDVR0OBBYEFFXkgdER +gL7YibkIozH5oSQJFrlwMB0GCSqGSIb2fQdBAAQQMA4bCFY1LjA6NC4wAwIEkDANBgkqhkiG9w0B +AQUFAAOCAQEAWUesIYSKF8mciVMeuoCFGsY8Tj6xnLZ8xpJdGGQC49MGCBFhfGPjK50xA3B20qMo +oPS7mmNz7W3lKtvtFKkrxjYR0CvrB4ul2p5cGZ1WEvVUKcgF7bISKo30Axv/55IQh7A6tcOdBTcS +o8f0FbnVpDkWm1M6I5HxqIKiaohowXkCIryqptau37AUX7iH0N18f3v/rxzP5tsHrV7bhZ3QKw0z +2wTR5klAEyt2+z7pnIkPFc4YsIV4IU9rTw76NmfNB/L/CNDi3tm/Kq+4h4YhPATKt5Rof8886ZjX +OP/swNlQ8C5LWK5Gb9Auw2DaclVyvUxFnmG6v4SBkgPR0ml8xQ== +-----END CERTIFICATE----- + +Baltimore CyberTrust Root +========================= +-----BEGIN CERTIFICATE----- +MIIDdzCCAl+gAwIBAgIEAgAAuTANBgkqhkiG9w0BAQUFADBaMQswCQYDVQQGEwJJRTESMBAGA1UE +ChMJQmFsdGltb3JlMRMwEQYDVQQLEwpDeWJlclRydXN0MSIwIAYDVQQDExlCYWx0aW1vcmUgQ3li +ZXJUcnVzdCBSb290MB4XDTAwMDUxMjE4NDYwMFoXDTI1MDUxMjIzNTkwMFowWjELMAkGA1UEBhMC +SUUxEjAQBgNVBAoTCUJhbHRpbW9yZTETMBEGA1UECxMKQ3liZXJUcnVzdDEiMCAGA1UEAxMZQmFs +dGltb3JlIEN5YmVyVHJ1c3QgUm9vdDCCASIwDQYJKoZIhvcNAQEBBQADggEPADCCAQoCggEBAKME +uyKrmD1X6CZymrV51Cni4eiVgLGw41uOKymaZN+hXe2wCQVt2yguzmKiYv60iNoS6zjrIZ3AQSsB +UnuId9Mcj8e6uYi1agnnc+gRQKfRzMpijS3ljwumUNKoUMMo6vWrJYeKmpYcqWe4PwzV9/lSEy/C +G9VwcPCPwBLKBsua4dnKM3p31vjsufFoREJIE9LAwqSuXmD+tqYF/LTdB1kC1FkYmGP1pWPgkAx9 +XbIGevOF6uvUA65ehD5f/xXtabz5OTZydc93Uk3zyZAsuT3lySNTPx8kmCFcB5kpvcY67Oduhjpr +l3RjM71oGDHweI12v/yejl0qhqdNkNwnGjkCAwEAAaNFMEMwHQYDVR0OBBYEFOWdWTCCR1jMrPoI +VDaGezq1BE3wMBIGA1UdEwEB/wQIMAYBAf8CAQMwDgYDVR0PAQH/BAQDAgEGMA0GCSqGSIb3DQEB +BQUAA4IBAQCFDF2O5G9RaEIFoN27TyclhAO992T9Ldcw46QQF+vaKSm2eT929hkTI7gQCvlYpNRh +cL0EYWoSihfVCr3FvDB81ukMJY2GQE/szKN+OMY3EU/t3WgxjkzSswF07r51XgdIGn9w/xZchMB5 +hbgF/X++ZRGjD8ACtPhSNzkE1akxehi/oCr0Epn3o0WC4zxe9Z2etciefC7IpJ5OCBRLbf1wbWsa +Y71k5h+3zvDyny67G7fyUIhzksLi4xaNmjICq44Y3ekQEe5+NauQrz4wlHrQMz2nZQ/1/I6eYs9H +RCwBXbsdtTLSR9I4LtD+gdwyah617jzV/OeBHRnDJELqYzmp +-----END CERTIFICATE----- + +Equifax Secure Global eBusiness CA +================================== +-----BEGIN CERTIFICATE----- +MIICkDCCAfmgAwIBAgIBATANBgkqhkiG9w0BAQQFADBaMQswCQYDVQQGEwJVUzEcMBoGA1UEChMT +RXF1aWZheCBTZWN1cmUgSW5jLjEtMCsGA1UEAxMkRXF1aWZheCBTZWN1cmUgR2xvYmFsIGVCdXNp +bmVzcyBDQS0xMB4XDTk5MDYyMTA0MDAwMFoXDTIwMDYyMTA0MDAwMFowWjELMAkGA1UEBhMCVVMx +HDAaBgNVBAoTE0VxdWlmYXggU2VjdXJlIEluYy4xLTArBgNVBAMTJEVxdWlmYXggU2VjdXJlIEds +b2JhbCBlQnVzaW5lc3MgQ0EtMTCBnzANBgkqhkiG9w0BAQEFAAOBjQAwgYkCgYEAuucXkAJlsTRV +PEnCUdXfp9E3j9HngXNBUmCbnaEXJnitx7HoJpQytd4zjTov2/KaelpzmKNc6fuKcxtc58O/gGzN +qfTWK8D3+ZmqY6KxRwIP1ORROhI8bIpaVIRw28HFkM9yRcuoWcDNM50/o5brhTMhHD4ePmBudpxn +hcXIw2ECAwEAAaNmMGQwEQYJYIZIAYb4QgEBBAQDAgAHMA8GA1UdEwEB/wQFMAMBAf8wHwYDVR0j +BBgwFoAUvqigdHJQa0S3ySPY+6j/s1draGwwHQYDVR0OBBYEFL6ooHRyUGtEt8kj2Puo/7NXa2hs +MA0GCSqGSIb3DQEBBAUAA4GBADDiAVGqx+pf2rnQZQ8w1j7aDRRJbpGTJxQx78T3LUX47Me/okEN +I7SS+RkAZ70Br83gcfxaz2TE4JaY0KNA4gGK7ycH8WUBikQtBmV1UsCGECAhX2xrD2yuCRyv8qIY +NMR1pHMc8Y3c7635s3a0kr/clRAevsvIO1qEYBlWlKlV +-----END CERTIFICATE----- + +Equifax Secure eBusiness CA 1 +============================= +-----BEGIN CERTIFICATE----- +MIICgjCCAeugAwIBAgIBBDANBgkqhkiG9w0BAQQFADBTMQswCQYDVQQGEwJVUzEcMBoGA1UEChMT +RXF1aWZheCBTZWN1cmUgSW5jLjEmMCQGA1UEAxMdRXF1aWZheCBTZWN1cmUgZUJ1c2luZXNzIENB +LTEwHhcNOTkwNjIxMDQwMDAwWhcNMjAwNjIxMDQwMDAwWjBTMQswCQYDVQQGEwJVUzEcMBoGA1UE +ChMTRXF1aWZheCBTZWN1cmUgSW5jLjEmMCQGA1UEAxMdRXF1aWZheCBTZWN1cmUgZUJ1c2luZXNz +IENBLTEwgZ8wDQYJKoZIhvcNAQEBBQADgY0AMIGJAoGBAM4vGbwXt3fek6lfWg0XTzQaDJj0ItlZ +1MRoRvC0NcWFAyDGr0WlIVFFQesWWDYyb+JQYmT5/VGcqiTZ9J2DKocKIdMSODRsjQBuWqDZQu4a +IZX5UkxVWsUPOE9G+m34LjXWHXzr4vCwdYDIqROsvojvOm6rXyo4YgKwEnv+j6YDAgMBAAGjZjBk +MBEGCWCGSAGG+EIBAQQEAwIABzAPBgNVHRMBAf8EBTADAQH/MB8GA1UdIwQYMBaAFEp4MlIR21kW +Nl7fwRQ2QGpHfEyhMB0GA1UdDgQWBBRKeDJSEdtZFjZe38EUNkBqR3xMoTANBgkqhkiG9w0BAQQF +AAOBgQB1W6ibAxHm6VZMzfmpTMANmvPMZWnmJXbMWbfWVMMdzZmsGd20hdXgPfxiIKeES1hl8eL5 +lSE/9dR+WB5Hh1Q+WKG1tfgq73HnvMP2sUlG4tega+VWeponmHxGYhTnyfxuAxJ5gDgdSIKN/Bf+ +KpYrtWKmpj29f5JZzVoqgrI3eQ== +-----END CERTIFICATE----- + +Equifax Secure eBusiness CA 2 +============================= +-----BEGIN CERTIFICATE----- +MIIDIDCCAomgAwIBAgIEN3DPtTANBgkqhkiG9w0BAQUFADBOMQswCQYDVQQGEwJVUzEXMBUGA1UE +ChMORXF1aWZheCBTZWN1cmUxJjAkBgNVBAsTHUVxdWlmYXggU2VjdXJlIGVCdXNpbmVzcyBDQS0y +MB4XDTk5MDYyMzEyMTQ0NVoXDTE5MDYyMzEyMTQ0NVowTjELMAkGA1UEBhMCVVMxFzAVBgNVBAoT +DkVxdWlmYXggU2VjdXJlMSYwJAYDVQQLEx1FcXVpZmF4IFNlY3VyZSBlQnVzaW5lc3MgQ0EtMjCB +nzANBgkqhkiG9w0BAQEFAAOBjQAwgYkCgYEA5Dk5kx5SBhsoNviyoynF7Y6yEb3+6+e0dMKP/wXn +2Z0GvxLIPw7y1tEkshHe0XMJitSxLJgJDR5QRrKDpkWNYmi7hRsgcDKqQM2mll/EcTc/BPO3QSQ5 +BxoeLmFYoBIL5aXfxavqN3HMHMg3OrmXUqesxWoklE6ce8/AatbfIb0CAwEAAaOCAQkwggEFMHAG +A1UdHwRpMGcwZaBjoGGkXzBdMQswCQYDVQQGEwJVUzEXMBUGA1UEChMORXF1aWZheCBTZWN1cmUx +JjAkBgNVBAsTHUVxdWlmYXggU2VjdXJlIGVCdXNpbmVzcyBDQS0yMQ0wCwYDVQQDEwRDUkwxMBoG +A1UdEAQTMBGBDzIwMTkwNjIzMTIxNDQ1WjALBgNVHQ8EBAMCAQYwHwYDVR0jBBgwFoAUUJ4L6q9e +uSBIplBqy/3YIHqngnYwHQYDVR0OBBYEFFCeC+qvXrkgSKZQasv92CB6p4J2MAwGA1UdEwQFMAMB +Af8wGgYJKoZIhvZ9B0EABA0wCxsFVjMuMGMDAgbAMA0GCSqGSIb3DQEBBQUAA4GBAAyGgq3oThr1 +jokn4jVYPSm0B482UJW/bsGe68SQsoWou7dC4A8HOd/7npCy0cE+U58DRLB+S/Rv5Hwf5+Kx5Lia +78O9zt4LMjTZ3ijtM2vE1Nc9ElirfQkty3D1E4qUoSek1nDFbZS1yX2doNLGCEnZZpum0/QL3MUm +V+GRMOrN +-----END CERTIFICATE----- + +AddTrust Low-Value Services Root +================================ +-----BEGIN CERTIFICATE----- +MIIEGDCCAwCgAwIBAgIBATANBgkqhkiG9w0BAQUFADBlMQswCQYDVQQGEwJTRTEUMBIGA1UEChML +QWRkVHJ1c3QgQUIxHTAbBgNVBAsTFEFkZFRydXN0IFRUUCBOZXR3b3JrMSEwHwYDVQQDExhBZGRU +cnVzdCBDbGFzcyAxIENBIFJvb3QwHhcNMDAwNTMwMTAzODMxWhcNMjAwNTMwMTAzODMxWjBlMQsw +CQYDVQQGEwJTRTEUMBIGA1UEChMLQWRkVHJ1c3QgQUIxHTAbBgNVBAsTFEFkZFRydXN0IFRUUCBO +ZXR3b3JrMSEwHwYDVQQDExhBZGRUcnVzdCBDbGFzcyAxIENBIFJvb3QwggEiMA0GCSqGSIb3DQEB +AQUAA4IBDwAwggEKAoIBAQCWltQhSWDia+hBBwzexODcEyPNwTXH+9ZOEQpnXvUGW2ulCDtbKRY6 +54eyNAbFvAWlA3yCyykQruGIgb3WntP+LVbBFc7jJp0VLhD7Bo8wBN6ntGO0/7Gcrjyvd7ZWxbWr +oulpOj0OM3kyP3CCkplhbY0wCI9xP6ZIVxn4JdxLZlyldI+Yrsj5wAYi56xz36Uu+1LcsRVlIPo1 +Zmne3yzxbrww2ywkEtvrNTVokMsAsJchPXQhI2U0K7t4WaPW4XY5mqRJjox0r26kmqPZm9I4XJui +GMx1I4S+6+JNM3GOGvDC+Mcdoq0Dlyz4zyXG9rgkMbFjXZJ/Y/AlyVMuH79NAgMBAAGjgdIwgc8w +HQYDVR0OBBYEFJWxtPCUtr3H2tERCSG+wa9J/RB7MAsGA1UdDwQEAwIBBjAPBgNVHRMBAf8EBTAD +AQH/MIGPBgNVHSMEgYcwgYSAFJWxtPCUtr3H2tERCSG+wa9J/RB7oWmkZzBlMQswCQYDVQQGEwJT +RTEUMBIGA1UEChMLQWRkVHJ1c3QgQUIxHTAbBgNVBAsTFEFkZFRydXN0IFRUUCBOZXR3b3JrMSEw +HwYDVQQDExhBZGRUcnVzdCBDbGFzcyAxIENBIFJvb3SCAQEwDQYJKoZIhvcNAQEFBQADggEBACxt +ZBsfzQ3duQH6lmM0MkhHma6X7f1yFqZzR1r0693p9db7RcwpiURdv0Y5PejuvE1Uhh4dbOMXJ0Ph +iVYrqW9yTkkz43J8KiOavD7/KCrto/8cI7pDVwlnTUtiBi34/2ydYB7YHEt9tTEv2dB8Xfjea4MY +eDdXL+gzB2ffHsdrKpV2ro9Xo/D0UrSpUwjP4E/TelOL/bscVjby/rK25Xa71SJlpz/+0WatC7xr +mYbvP33zGDLKe8bjq2RGlfgmadlVg3sslgf/WSxEo8bl6ancoWOAWiFeIc9TVPC6b4nbqKqVz4vj +ccweGyBECMB6tkD9xOQ14R0WHNC8K47Wcdk= +-----END CERTIFICATE----- + +AddTrust External Root +====================== +-----BEGIN CERTIFICATE----- +MIIENjCCAx6gAwIBAgIBATANBgkqhkiG9w0BAQUFADBvMQswCQYDVQQGEwJTRTEUMBIGA1UEChML +QWRkVHJ1c3QgQUIxJjAkBgNVBAsTHUFkZFRydXN0IEV4dGVybmFsIFRUUCBOZXR3b3JrMSIwIAYD +VQQDExlBZGRUcnVzdCBFeHRlcm5hbCBDQSBSb290MB4XDTAwMDUzMDEwNDgzOFoXDTIwMDUzMDEw +NDgzOFowbzELMAkGA1UEBhMCU0UxFDASBgNVBAoTC0FkZFRydXN0IEFCMSYwJAYDVQQLEx1BZGRU +cnVzdCBFeHRlcm5hbCBUVFAgTmV0d29yazEiMCAGA1UEAxMZQWRkVHJ1c3QgRXh0ZXJuYWwgQ0Eg +Um9vdDCCASIwDQYJKoZIhvcNAQEBBQADggEPADCCAQoCggEBALf3GjPm8gAELTngTlvtH7xsD821 ++iO2zt6bETOXpClMfZOfvUq8k+0DGuOPz+VtUFrWlymUWoCwSXrbLpX9uMq/NzgtHj6RQa1wVsfw +Tz/oMp50ysiQVOnGXw94nZpAPA6sYapeFI+eh6FqUNzXmk6vBbOmcZSccbNQYArHE504B4YCqOmo +aSYYkKtMsE8jqzpPhNjfzp/haW+710LXa0Tkx63ubUFfclpxCDezeWWkWaCUN/cALw3CknLa0Dhy +2xSoRcRdKn23tNbE7qzNE0S3ySvdQwAl+mG5aWpYIxG3pzOPVnVZ9c0p10a3CitlttNCbxWyuHv7 +7+ldU9U0WicCAwEAAaOB3DCB2TAdBgNVHQ4EFgQUrb2YejS0Jvf6xCZU7wO94CTLVBowCwYDVR0P +BAQDAgEGMA8GA1UdEwEB/wQFMAMBAf8wgZkGA1UdIwSBkTCBjoAUrb2YejS0Jvf6xCZU7wO94CTL +VBqhc6RxMG8xCzAJBgNVBAYTAlNFMRQwEgYDVQQKEwtBZGRUcnVzdCBBQjEmMCQGA1UECxMdQWRk +VHJ1c3QgRXh0ZXJuYWwgVFRQIE5ldHdvcmsxIjAgBgNVBAMTGUFkZFRydXN0IEV4dGVybmFsIENB +IFJvb3SCAQEwDQYJKoZIhvcNAQEFBQADggEBALCb4IUlwtYj4g+WBpKdQZic2YR5gdkeWxQHIzZl +j7DYd7usQWxHYINRsPkyPef89iYTx4AWpb9a/IfPeHmJIZriTAcKhjW88t5RxNKWt9x+Tu5w/Rw5 +6wwCURQtjr0W4MHfRnXnJK3s9EK0hZNwEGe6nQY1ShjTK3rMUUKhemPR5ruhxSvCNr4TDea9Y355 +e6cJDUCrat2PisP29owaQgVR1EX1n6diIWgVIEM8med8vSTYqZEXc4g/VhsxOBi0cQ+azcgOno4u +G+GMmIPLHzHxREzGBHNJdmAPx/i9F4BrLunMTA5amnkPIAou1Z5jJh5VkpTYghdae9C8x49OhgQ= +-----END CERTIFICATE----- + +AddTrust Public Services Root +============================= +-----BEGIN CERTIFICATE----- +MIIEFTCCAv2gAwIBAgIBATANBgkqhkiG9w0BAQUFADBkMQswCQYDVQQGEwJTRTEUMBIGA1UEChML +QWRkVHJ1c3QgQUIxHTAbBgNVBAsTFEFkZFRydXN0IFRUUCBOZXR3b3JrMSAwHgYDVQQDExdBZGRU +cnVzdCBQdWJsaWMgQ0EgUm9vdDAeFw0wMDA1MzAxMDQxNTBaFw0yMDA1MzAxMDQxNTBaMGQxCzAJ +BgNVBAYTAlNFMRQwEgYDVQQKEwtBZGRUcnVzdCBBQjEdMBsGA1UECxMUQWRkVHJ1c3QgVFRQIE5l +dHdvcmsxIDAeBgNVBAMTF0FkZFRydXN0IFB1YmxpYyBDQSBSb290MIIBIjANBgkqhkiG9w0BAQEF +AAOCAQ8AMIIBCgKCAQEA6Rowj4OIFMEg2Dybjxt+A3S72mnTRqX4jsIMEZBRpS9mVEBV6tsfSlbu +nyNu9DnLoblv8n75XYcmYZ4c+OLspoH4IcUkzBEMP9smcnrHAZcHF/nXGCwwfQ56HmIexkvA/X1i +d9NEHif2P0tEs7c42TkfYNVRknMDtABp4/MUTu7R3AnPdzRGULD4EfL+OHn3Bzn+UZKXC1sIXzSG +Aa2Il+tmzV7R/9x98oTaunet3IAIx6eH1lWfl2royBFkuucZKT8Rs3iQhCBSWxHveNCD9tVIkNAw +HM+A+WD+eeSI8t0A65RF62WUaUC6wNW0uLp9BBGo6zEFlpROWCGOn9Bg/QIDAQABo4HRMIHOMB0G +A1UdDgQWBBSBPjfYkrAfd59ctKtzquf2NGAv+jALBgNVHQ8EBAMCAQYwDwYDVR0TAQH/BAUwAwEB +/zCBjgYDVR0jBIGGMIGDgBSBPjfYkrAfd59ctKtzquf2NGAv+qFopGYwZDELMAkGA1UEBhMCU0Ux +FDASBgNVBAoTC0FkZFRydXN0IEFCMR0wGwYDVQQLExRBZGRUcnVzdCBUVFAgTmV0d29yazEgMB4G +A1UEAxMXQWRkVHJ1c3QgUHVibGljIENBIFJvb3SCAQEwDQYJKoZIhvcNAQEFBQADggEBAAP3FUr4 +JNojVhaTdt02KLmuG7jD8WS6IBh4lSknVwW8fCr0uVFV2ocC3g8WFzH4qnkuCRO7r7IgGRLlk/lL ++YPoRNWyQSW/iHVv/xD8SlTQX/D67zZzfRs2RcYhbbQVuE7PnFylPVoAjgbjPGsye/Kf8Lb93/Ao +GEjwxrzQvzSAlsJKsW2Ox5BF3i9nrEUEo3rcVZLJR2bYGozH7ZxOmuASu7VqTITh4SINhwBk/ox9 +Yjllpu9CtoAlEmEBqCQTcAARJl/6NVDFSMwGR+gn2HCNX2TmoUQmXiLsks3/QppEIW1cxeMiHV9H +EufOX1362KqxMy3ZdvJOOjMMK7MtkAY= +-----END CERTIFICATE----- + +AddTrust Qualified Certificates Root +==================================== +-----BEGIN CERTIFICATE----- +MIIEHjCCAwagAwIBAgIBATANBgkqhkiG9w0BAQUFADBnMQswCQYDVQQGEwJTRTEUMBIGA1UEChML +QWRkVHJ1c3QgQUIxHTAbBgNVBAsTFEFkZFRydXN0IFRUUCBOZXR3b3JrMSMwIQYDVQQDExpBZGRU +cnVzdCBRdWFsaWZpZWQgQ0EgUm9vdDAeFw0wMDA1MzAxMDQ0NTBaFw0yMDA1MzAxMDQ0NTBaMGcx +CzAJBgNVBAYTAlNFMRQwEgYDVQQKEwtBZGRUcnVzdCBBQjEdMBsGA1UECxMUQWRkVHJ1c3QgVFRQ +IE5ldHdvcmsxIzAhBgNVBAMTGkFkZFRydXN0IFF1YWxpZmllZCBDQSBSb290MIIBIjANBgkqhkiG +9w0BAQEFAAOCAQ8AMIIBCgKCAQEA5B6a/twJWoekn0e+EV+vhDTbYjx5eLfpMLXsDBwqxBb/4Oxx +64r1EW7tTw2R0hIYLUkVAcKkIhPHEWT/IhKauY5cLwjPcWqzZwFZ8V1G87B4pfYOQnrjfxvM0PC3 +KP0q6p6zsLkEqv32x7SxuCqg+1jxGaBvcCV+PmlKfw8i2O+tCBGaKZnhqkRFmhJePp1tUvznoD1o +L/BLcHwTOK28FSXx1s6rosAx1i+f4P8UWfyEk9mHfExUE+uf0S0R+Bg6Ot4l2ffTQO2kBhLEO+GR +wVY18BTcZTYJbqukB8c10cIDMzZbdSZtQvESa0NvS3GU+jQd7RNuyoB/mC9suWXY6QIDAQABo4HU +MIHRMB0GA1UdDgQWBBQ5lYtii1zJ1IC6WA+XPxUIQ8yYpzALBgNVHQ8EBAMCAQYwDwYDVR0TAQH/ +BAUwAwEB/zCBkQYDVR0jBIGJMIGGgBQ5lYtii1zJ1IC6WA+XPxUIQ8yYp6FrpGkwZzELMAkGA1UE +BhMCU0UxFDASBgNVBAoTC0FkZFRydXN0IEFCMR0wGwYDVQQLExRBZGRUcnVzdCBUVFAgTmV0d29y +azEjMCEGA1UEAxMaQWRkVHJ1c3QgUXVhbGlmaWVkIENBIFJvb3SCAQEwDQYJKoZIhvcNAQEFBQAD +ggEBABmrder4i2VhlRO6aQTvhsoToMeqT2QbPxj2qC0sVY8FtzDqQmodwCVRLae/DLPt7wh/bDxG +GuoYQ992zPlmhpwsaPXpF/gxsxjE1kh9I0xowX67ARRvxdlu3rsEQmr49lx95dr6h+sNNVJn0J6X +dgWTP5XHAeZpVTh/EGGZyeNfpso+gmNIquIISD6q8rKFYqa0p9m9N5xotS1WfbC3P6CxB9bpT9ze +RXEwMn8bLgn5v1Kh7sKAPgZcLlVAwRv1cEWw3F369nJad9Jjzc9YiQBCYz95OdBEsIJuQRno3eDB +iFrRHnGTHyQwdOUeqN48Jzd/g66ed8/wMLH/S5noxqE= +-----END CERTIFICATE----- + +Entrust Root Certification Authority +==================================== +-----BEGIN CERTIFICATE----- +MIIEkTCCA3mgAwIBAgIERWtQVDANBgkqhkiG9w0BAQUFADCBsDELMAkGA1UEBhMCVVMxFjAUBgNV +BAoTDUVudHJ1c3QsIEluYy4xOTA3BgNVBAsTMHd3dy5lbnRydXN0Lm5ldC9DUFMgaXMgaW5jb3Jw +b3JhdGVkIGJ5IHJlZmVyZW5jZTEfMB0GA1UECxMWKGMpIDIwMDYgRW50cnVzdCwgSW5jLjEtMCsG +A1UEAxMkRW50cnVzdCBSb290IENlcnRpZmljYXRpb24gQXV0aG9yaXR5MB4XDTA2MTEyNzIwMjM0 +MloXDTI2MTEyNzIwNTM0MlowgbAxCzAJBgNVBAYTAlVTMRYwFAYDVQQKEw1FbnRydXN0LCBJbmMu +MTkwNwYDVQQLEzB3d3cuZW50cnVzdC5uZXQvQ1BTIGlzIGluY29ycG9yYXRlZCBieSByZWZlcmVu +Y2UxHzAdBgNVBAsTFihjKSAyMDA2IEVudHJ1c3QsIEluYy4xLTArBgNVBAMTJEVudHJ1c3QgUm9v +dCBDZXJ0aWZpY2F0aW9uIEF1dGhvcml0eTCCASIwDQYJKoZIhvcNAQEBBQADggEPADCCAQoCggEB +ALaVtkNC+sZtKm9I35RMOVcF7sN5EUFoNu3s/poBj6E4KPz3EEZmLk0eGrEaTsbRwJWIsMn/MYsz +A9u3g3s+IIRe7bJWKKf44LlAcTfFy0cOlypowCKVYhXbR9n10Cv/gkvJrT7eTNuQgFA/CYqEAOww +Cj0Yzfv9KlmaI5UXLEWeH25DeW0MXJj+SKfFI0dcXv1u5x609mhF0YaDW6KKjbHjKYD+JXGIrb68 +j6xSlkuqUY3kEzEZ6E5Nn9uss2rVvDlUccp6en+Q3X0dgNmBu1kmwhH+5pPi94DkZfs0Nw4pgHBN +rziGLp5/V6+eF67rHMsoIV+2HNjnogQi+dPa2MsCAwEAAaOBsDCBrTAOBgNVHQ8BAf8EBAMCAQYw +DwYDVR0TAQH/BAUwAwEB/zArBgNVHRAEJDAigA8yMDA2MTEyNzIwMjM0MlqBDzIwMjYxMTI3MjA1 +MzQyWjAfBgNVHSMEGDAWgBRokORnpKZTgMeGZqTx90tD+4S9bTAdBgNVHQ4EFgQUaJDkZ6SmU4DH +hmak8fdLQ/uEvW0wHQYJKoZIhvZ9B0EABBAwDhsIVjcuMTo0LjADAgSQMA0GCSqGSIb3DQEBBQUA +A4IBAQCT1DCw1wMgKtD5Y+iRDAUgqV8ZyntyTtSx29CW+1RaGSwMCPeyvIWonX9tO1KzKtvn1ISM +Y/YPyyYBkVBs9F8U4pN0wBOeMDpQ47RgxRzwIkSNcUesyBrJ6ZuaAGAT/3B+XxFNSRuzFVJ7yVTa +v52Vr2ua2J7p8eRDjeIRRDq/r72DQnNSi6q7pynP9WQcCk3RvKqsnyrQ/39/2n3qse0wJcGE2jTS +W3iDVuycNsMm4hH2Z0kdkquM++v/eu6FSqdQgPCnXEqULl8FmTxSQeDNtGPPAUO6nIPcj2A781q0 +tHuu2guQOHXvgR1m0vdXcDazv/wor3ElhVsT/h5/WrQ8 +-----END CERTIFICATE----- + +RSA Security 2048 v3 +==================== +-----BEGIN CERTIFICATE----- +MIIDYTCCAkmgAwIBAgIQCgEBAQAAAnwAAAAKAAAAAjANBgkqhkiG9w0BAQUFADA6MRkwFwYDVQQK +ExBSU0EgU2VjdXJpdHkgSW5jMR0wGwYDVQQLExRSU0EgU2VjdXJpdHkgMjA0OCBWMzAeFw0wMTAy +MjIyMDM5MjNaFw0yNjAyMjIyMDM5MjNaMDoxGTAXBgNVBAoTEFJTQSBTZWN1cml0eSBJbmMxHTAb +BgNVBAsTFFJTQSBTZWN1cml0eSAyMDQ4IFYzMIIBIjANBgkqhkiG9w0BAQEFAAOCAQ8AMIIBCgKC +AQEAt49VcdKA3XtpeafwGFAyPGJn9gqVB93mG/Oe2dJBVGutn3y+Gc37RqtBaB4Y6lXIL5F4iSj7 +Jylg/9+PjDvJSZu1pJTOAeo+tWN7fyb9Gd3AIb2E0S1PRsNO3Ng3OTsor8udGuorryGlwSMiuLgb +WhOHV4PR8CDn6E8jQrAApX2J6elhc5SYcSa8LWrg903w8bYqODGBDSnhAMFRD0xS+ARaqn1y07iH +KrtjEAMqs6FPDVpeRrc9DvV07Jmf+T0kgYim3WBU6JU2PcYJk5qjEoAAVZkZR73QpXzDuvsf9/UP ++Ky5tfQ3mBMY3oVbtwyCO4dvlTlYMNpuAWgXIszACwIDAQABo2MwYTAPBgNVHRMBAf8EBTADAQH/ +MA4GA1UdDwEB/wQEAwIBBjAfBgNVHSMEGDAWgBQHw1EwpKrpRa41JPr/JCwz0LGdjDAdBgNVHQ4E +FgQUB8NRMKSq6UWuNST6/yQsM9CxnYwwDQYJKoZIhvcNAQEFBQADggEBAF8+hnZuuDU8TjYcHnmY +v/3VEhF5Ug7uMYm83X/50cYVIeiKAVQNOvtUudZj1LGqlk2iQk3UUx+LEN5/Zb5gEydxiKRz44Rj +0aRV4VCT5hsOedBnvEbIvz8XDZXmxpBp3ue0L96VfdASPz0+f00/FGj1EVDVwfSQpQgdMWD/YIwj +VAqv/qFuxdF6Kmh4zx6CCiC0H63lhbJqaHVOrSU3lIW+vaHU6rcMSzyd6BIA8F+sDeGscGNz9395 +nzIlQnQFgCi/vcEkllgVsRch6YlL2weIZ/QVrXA+L02FO8K32/6YaCOJ4XQP3vTFhGMpG8zLB8kA +pKnXwiJPZ9d37CAFYd4= +-----END CERTIFICATE----- + +GeoTrust Global CA +================== +-----BEGIN CERTIFICATE----- +MIIDVDCCAjygAwIBAgIDAjRWMA0GCSqGSIb3DQEBBQUAMEIxCzAJBgNVBAYTAlVTMRYwFAYDVQQK +Ew1HZW9UcnVzdCBJbmMuMRswGQYDVQQDExJHZW9UcnVzdCBHbG9iYWwgQ0EwHhcNMDIwNTIxMDQw +MDAwWhcNMjIwNTIxMDQwMDAwWjBCMQswCQYDVQQGEwJVUzEWMBQGA1UEChMNR2VvVHJ1c3QgSW5j +LjEbMBkGA1UEAxMSR2VvVHJ1c3QgR2xvYmFsIENBMIIBIjANBgkqhkiG9w0BAQEFAAOCAQ8AMIIB +CgKCAQEA2swYYzD99BcjGlZ+W988bDjkcbd4kdS8odhM+KhDtgPpTSEHCIjaWC9mOSm9BXiLnTjo +BbdqfnGk5sRgprDvgOSJKA+eJdbtg/OtppHHmMlCGDUUna2YRpIuT8rxh0PBFpVXLVDviS2Aelet +8u5fa9IAjbkU+BQVNdnARqN7csiRv8lVK83Qlz6cJmTM386DGXHKTubU1XupGc1V3sjs0l44U+Vc +T4wt/lAjNvxm5suOpDkZALeVAjmRCw7+OC7RHQWa9k0+bw8HHa8sHo9gOeL6NlMTOdReJivbPagU +vTLrGAMoUgRx5aszPeE4uwc2hGKceeoWMPRfwCvocWvk+QIDAQABo1MwUTAPBgNVHRMBAf8EBTAD +AQH/MB0GA1UdDgQWBBTAephojYn7qwVkDBF9qn1luMrMTjAfBgNVHSMEGDAWgBTAephojYn7qwVk +DBF9qn1luMrMTjANBgkqhkiG9w0BAQUFAAOCAQEANeMpauUvXVSOKVCUn5kaFOSPeCpilKInZ57Q +zxpeR+nBsqTP3UEaBU6bS+5Kb1VSsyShNwrrZHYqLizz/Tt1kL/6cdjHPTfStQWVYrmm3ok9Nns4 +d0iXrKYgjy6myQzCsplFAMfOEVEiIuCl6rYVSAlk6l5PdPcFPseKUgzbFbS9bZvlxrFUaKnjaZC2 +mqUPuLk/IH2uSrW4nOQdtqvmlKXBx4Ot2/Unhw4EbNX/3aBd7YdStysVAq45pmp06drE57xNNB6p +XE0zX5IJL4hmXXeXxx12E6nV5fEWCRE11azbJHFwLJhWC9kXtNHjUStedejV0NxPNO3CBWaAocvm +Mw== +-----END CERTIFICATE----- + +GeoTrust Global CA 2 +==================== +-----BEGIN CERTIFICATE----- +MIIDZjCCAk6gAwIBAgIBATANBgkqhkiG9w0BAQUFADBEMQswCQYDVQQGEwJVUzEWMBQGA1UEChMN +R2VvVHJ1c3QgSW5jLjEdMBsGA1UEAxMUR2VvVHJ1c3QgR2xvYmFsIENBIDIwHhcNMDQwMzA0MDUw +MDAwWhcNMTkwMzA0MDUwMDAwWjBEMQswCQYDVQQGEwJVUzEWMBQGA1UEChMNR2VvVHJ1c3QgSW5j +LjEdMBsGA1UEAxMUR2VvVHJ1c3QgR2xvYmFsIENBIDIwggEiMA0GCSqGSIb3DQEBAQUAA4IBDwAw +ggEKAoIBAQDvPE1APRDfO1MA4Wf+lGAVPoWI8YkNkMgoI5kF6CsgncbzYEbYwbLVjDHZ3CB5JIG/ +NTL8Y2nbsSpr7iFY8gjpeMtvy/wWUsiRxP89c96xPqfCfWbB9X5SJBri1WeR0IIQ13hLTytCOb1k +LUCgsBDTOEhGiKEMuzozKmKY+wCdE1l/bztyqu6mD4b5BWHqZ38MN5aL5mkWRxHCJ1kDs6ZgwiFA +Vvqgx306E+PsV8ez1q6diYD3Aecs9pYrEw15LNnA5IZ7S4wMcoKK+xfNAGw6EzywhIdLFnopsk/b +HdQL82Y3vdj2V7teJHq4PIu5+pIaGoSe2HSPqht/XvT+RSIhAgMBAAGjYzBhMA8GA1UdEwEB/wQF +MAMBAf8wHQYDVR0OBBYEFHE4NvICMVNHK266ZUapEBVYIAUJMB8GA1UdIwQYMBaAFHE4NvICMVNH +K266ZUapEBVYIAUJMA4GA1UdDwEB/wQEAwIBhjANBgkqhkiG9w0BAQUFAAOCAQEAA/e1K6tdEPx7 +srJerJsOflN4WT5CBP51o62sgU7XAotexC3IUnbHLB/8gTKY0UvGkpMzNTEv/NgdRN3ggX+d6Yvh +ZJFiCzkIjKx0nVnZellSlxG5FntvRdOW2TF9AjYPnDtuzywNA0ZF66D0f0hExghAzN4bcLUprbqL +OzRldRtxIR0sFAqwlpW41uryZfspuk/qkZN0abby/+Ea0AzRdoXLiiW9l14sbxWZJue2Kf8i7MkC +x1YAzUm5s2x7UwQa4qjJqhIFI8LO57sEAszAR6LkxCkvW0VXiVHuPOtSCP8HNR6fNWpHSlaY0VqF +H4z1Ir+rzoPz4iIprn2DQKi6bA== +-----END CERTIFICATE----- + +GeoTrust Universal CA +===================== +-----BEGIN CERTIFICATE----- +MIIFaDCCA1CgAwIBAgIBATANBgkqhkiG9w0BAQUFADBFMQswCQYDVQQGEwJVUzEWMBQGA1UEChMN +R2VvVHJ1c3QgSW5jLjEeMBwGA1UEAxMVR2VvVHJ1c3QgVW5pdmVyc2FsIENBMB4XDTA0MDMwNDA1 +MDAwMFoXDTI5MDMwNDA1MDAwMFowRTELMAkGA1UEBhMCVVMxFjAUBgNVBAoTDUdlb1RydXN0IElu +Yy4xHjAcBgNVBAMTFUdlb1RydXN0IFVuaXZlcnNhbCBDQTCCAiIwDQYJKoZIhvcNAQEBBQADggIP +ADCCAgoCggIBAKYVVaCjxuAfjJ0hUNfBvitbtaSeodlyWL0AG0y/YckUHUWCq8YdgNY96xCcOq9t +JPi8cQGeBvV8Xx7BDlXKg5pZMK4ZyzBIle0iN430SppyZj6tlcDgFgDgEB8rMQ7XlFTTQjOgNB0e +RXbdT8oYN+yFFXoZCPzVx5zw8qkuEKmS5j1YPakWaDwvdSEYfyh3peFhF7em6fgemdtzbvQKoiFs +7tqqhZJmr/Z6a4LauiIINQ/PQvE1+mrufislzDoR5G2vc7J2Ha3QsnhnGqQ5HFELZ1aD/ThdDc7d +8Lsrlh/eezJS/R27tQahsiFepdaVaH/wmZ7cRQg+59IJDTWU3YBOU5fXtQlEIGQWFwMCTFMNaN7V +qnJNk22CDtucvc+081xdVHppCZbW2xHBjXWotM85yM48vCR85mLK4b19p71XZQvk/iXttmkQ3Cga +Rr0BHdCXteGYO8A3ZNY9lO4L4fUorgtWv3GLIylBjobFS1J72HGrH4oVpjuDWtdYAVHGTEHZf9hB +Z3KiKN9gg6meyHv8U3NyWfWTehd2Ds735VzZC1U0oqpbtWpU5xPKV+yXbfReBi9Fi1jUIxaS5BZu +KGNZMN9QAZxjiRqf2xeUgnA3wySemkfWWspOqGmJch+RbNt+nhutxx9z3SxPGWX9f5NAEC7S8O08 +ni4oPmkmM8V7AgMBAAGjYzBhMA8GA1UdEwEB/wQFMAMBAf8wHQYDVR0OBBYEFNq7LqqwDLiIJlF0 +XG0D08DYj3rWMB8GA1UdIwQYMBaAFNq7LqqwDLiIJlF0XG0D08DYj3rWMA4GA1UdDwEB/wQEAwIB +hjANBgkqhkiG9w0BAQUFAAOCAgEAMXjmx7XfuJRAyXHEqDXsRh3ChfMoWIawC/yOsjmPRFWrZIRc +aanQmjg8+uUfNeVE44B5lGiku8SfPeE0zTBGi1QrlaXv9z+ZhP015s8xxtxqv6fXIwjhmF7DWgh2 +qaavdy+3YL1ERmrvl/9zlcGO6JP7/TG37FcREUWbMPEaiDnBTzynANXH/KttgCJwpQzgXQQpAvvL +oJHRfNbDflDVnVi+QTjruXU8FdmbyUqDWcDaU/0zuzYYm4UPFd3uLax2k7nZAY1IEKj79TiG8dsK +xr2EoyNB3tZ3b4XUhRxQ4K5RirqNPnbiucon8l+f725ZDQbYKxek0nxru18UGkiPGkzns0ccjkxF +KyDuSN/n3QmOGKjaQI2SJhFTYXNd673nxE0pN2HrrDktZy4W1vUAg4WhzH92xH3kt0tm7wNFYGm2 +DFKWkoRepqO1pD4r2czYG0eq8kTaT/kD6PAUyz/zg97QwVTjt+gKN02LIFkDMBmhLMi9ER/frslK +xfMnZmaGrGiR/9nmUxwPi1xpZQomyB40w11Re9epnAahNt3ViZS82eQtDF4JbAiXfKM9fJP/P6EU +p8+1Xevb2xzEdt+Iub1FBZUbrvxGakyvSOPOrg/SfuvmbJxPgWp6ZKy7PtXny3YuxadIwVyQD8vI +P/rmMuGNG2+k5o7Y+SlIis5z/iw= +-----END CERTIFICATE----- + +GeoTrust Universal CA 2 +======================= +-----BEGIN CERTIFICATE----- +MIIFbDCCA1SgAwIBAgIBATANBgkqhkiG9w0BAQUFADBHMQswCQYDVQQGEwJVUzEWMBQGA1UEChMN +R2VvVHJ1c3QgSW5jLjEgMB4GA1UEAxMXR2VvVHJ1c3QgVW5pdmVyc2FsIENBIDIwHhcNMDQwMzA0 +MDUwMDAwWhcNMjkwMzA0MDUwMDAwWjBHMQswCQYDVQQGEwJVUzEWMBQGA1UEChMNR2VvVHJ1c3Qg +SW5jLjEgMB4GA1UEAxMXR2VvVHJ1c3QgVW5pdmVyc2FsIENBIDIwggIiMA0GCSqGSIb3DQEBAQUA +A4ICDwAwggIKAoICAQCzVFLByT7y2dyxUxpZKeexw0Uo5dfR7cXFS6GqdHtXr0om/Nj1XqduGdt0 +DE81WzILAePb63p3NeqqWuDW6KFXlPCQo3RWlEQwAx5cTiuFJnSCegx2oG9NzkEtoBUGFF+3Qs17 +j1hhNNwqCPkuwwGmIkQcTAeC5lvO0Ep8BNMZcyfwqph/Lq9O64ceJHdqXbboW0W63MOhBW9Wjo8Q +JqVJwy7XQYci4E+GymC16qFjwAGXEHm9ADwSbSsVsaxLse4YuU6W3Nx2/zu+z18DwPw76L5GG//a +QMJS9/7jOvdqdzXQ2o3rXhhqMcceujwbKNZrVMaqW9eiLBsZzKIC9ptZvTdrhrVtgrrY6slWvKk2 +WP0+GfPtDCapkzj4T8FdIgbQl+rhrcZV4IErKIM6+vR7IVEAvlI4zs1meaj0gVbi0IMJR1FbUGrP +20gaXT73y/Zl92zxlfgCOzJWgjl6W70viRu/obTo/3+NjN8D8WBOWBFM66M/ECuDmgFz2ZRthAAn +ZqzwcEAJQpKtT5MNYQlRJNiS1QuUYbKHsu3/mjX/hVTK7URDrBs8FmtISgocQIgfksILAAX/8sgC +SqSqqcyZlpwvWOB94b67B9xfBHJcMTTD7F8t4D1kkCLm0ey4Lt1ZrtmhN79UNdxzMk+MBB4zsslG +8dhcyFVQyWi9qLo2CQIDAQABo2MwYTAPBgNVHRMBAf8EBTADAQH/MB0GA1UdDgQWBBR281Xh+qQ2 ++/CfXGJx7Tz0RzgQKzAfBgNVHSMEGDAWgBR281Xh+qQ2+/CfXGJx7Tz0RzgQKzAOBgNVHQ8BAf8E +BAMCAYYwDQYJKoZIhvcNAQEFBQADggIBAGbBxiPz2eAubl/oz66wsCVNK/g7WJtAJDday6sWSf+z +dXkzoS9tcBc0kf5nfo/sm+VegqlVHy/c1FEHEv6sFj4sNcZj/NwQ6w2jqtB8zNHQL1EuxBRa3ugZ +4T7GzKQp5y6EqgYweHZUcyiYWTjgAA1i00J9IZ+uPTqM1fp3DRgrFg5fNuH8KrUwJM/gYwx7WBr+ +mbpCErGR9Hxo4sjoryzqyX6uuyo9DRXcNJW2GHSoag/HtPQTxORb7QrSpJdMKu0vbBKJPfEncKpq +A1Ihn0CoZ1Dy81of398j9tx4TuaYT1U6U+Pv8vSfx3zYWK8pIpe44L2RLrB27FcRz+8pRPPphXpg +Y+RdM4kX2TGq2tbzGDVyz4crL2MjhF2EjD9XoIj8mZEoJmmZ1I+XRL6O1UixpCgp8RW04eWe3fiP +pm8m1wk8OhwRDqZsN/etRIcsKMfYdIKz0G9KV7s1KSegi+ghp4dkNl3M2Basx7InQJJVOCiNUW7d +FGdTbHFcJoRNdVq2fmBWqU2t+5sel/MN2dKXVHfaPRK34B7vCAas+YWH6aLcr34YEoP9VhdBLtUp +gn2Z9DH2canPLAEnpQW5qrJITirvn5NSUZU8UnOOVkwXQMAJKOSLakhT2+zNVVXxxvjpoixMptEm +X36vWkzaH6byHCx+rgIW0lbQL1dTR+iS +-----END CERTIFICATE----- + +UTN-USER First-Network Applications +=================================== +-----BEGIN CERTIFICATE----- +MIIEZDCCA0ygAwIBAgIQRL4Mi1AAJLQR0zYwS8AzdzANBgkqhkiG9w0BAQUFADCBozELMAkGA1UE +BhMCVVMxCzAJBgNVBAgTAlVUMRcwFQYDVQQHEw5TYWx0IExha2UgQ2l0eTEeMBwGA1UEChMVVGhl +IFVTRVJUUlVTVCBOZXR3b3JrMSEwHwYDVQQLExhodHRwOi8vd3d3LnVzZXJ0cnVzdC5jb20xKzAp +BgNVBAMTIlVUTi1VU0VSRmlyc3QtTmV0d29yayBBcHBsaWNhdGlvbnMwHhcNOTkwNzA5MTg0ODM5 +WhcNMTkwNzA5MTg1NzQ5WjCBozELMAkGA1UEBhMCVVMxCzAJBgNVBAgTAlVUMRcwFQYDVQQHEw5T +YWx0IExha2UgQ2l0eTEeMBwGA1UEChMVVGhlIFVTRVJUUlVTVCBOZXR3b3JrMSEwHwYDVQQLExho +dHRwOi8vd3d3LnVzZXJ0cnVzdC5jb20xKzApBgNVBAMTIlVUTi1VU0VSRmlyc3QtTmV0d29yayBB +cHBsaWNhdGlvbnMwggEiMA0GCSqGSIb3DQEBAQUAA4IBDwAwggEKAoIBAQCz+5Gh5DZVhawGNFug +mliy+LUPBXeDrjKxdpJo7CNKyXY/45y2N3kDuatpjQclthln5LAbGHNhSuh+zdMvZOOmfAz6F4Cj +DUeJT1FxL+78P/m4FoCHiZMlIJpDgmkkdihZNaEdwH+DBmQWICzTSaSFtMBhf1EI+GgVkYDLpdXu +Ozr0hAReYFmnjDRy7rh4xdE7EkpvfmUnuaRVxblvQ6TFHSyZwFKkeEwVs0CYCGtDxgGwenv1axwi +P8vv/6jQOkt2FZ7S0cYu49tXGzKiuG/ohqY/cKvlcJKrRB5AUPuco2LkbG6gyN7igEL66S/ozjIE +j3yNtxyjNTwV3Z7DrpelAgMBAAGjgZEwgY4wCwYDVR0PBAQDAgHGMA8GA1UdEwEB/wQFMAMBAf8w +HQYDVR0OBBYEFPqGydvguul49Uuo1hXf8NPhahQ8ME8GA1UdHwRIMEYwRKBCoECGPmh0dHA6Ly9j +cmwudXNlcnRydXN0LmNvbS9VVE4tVVNFUkZpcnN0LU5ldHdvcmtBcHBsaWNhdGlvbnMuY3JsMA0G +CSqGSIb3DQEBBQUAA4IBAQCk8yXM0dSRgyLQzDKrm5ZONJFUICU0YV8qAhXhi6r/fWRRzwr/vH3Y +IWp4yy9Rb/hCHTO967V7lMPDqaAt39EpHx3+jz+7qEUqf9FuVSTiuwL7MT++6LzsQCv4AdRWOOTK +RIK1YSAhZ2X28AvnNPilwpyjXEAfhZOVBt5P1CeptqX8Fs1zMT+4ZSfP1FMa8Kxun08FDAOBp4Qp +xFq9ZFdyrTvPNximmMatBrTcCKME1SmklpoSZ0qMYEWd8SOasACcaLWYUNPvji6SZbFIPiG+FTAq +DbUMo2s/rn9X9R+WfN9v3YIwLGUbQErNaLly7HF27FSOH4UMAWr6pjisH8SE +-----END CERTIFICATE----- + +America Online Root Certification Authority 1 +============================================= +-----BEGIN CERTIFICATE----- +MIIDpDCCAoygAwIBAgIBATANBgkqhkiG9w0BAQUFADBjMQswCQYDVQQGEwJVUzEcMBoGA1UEChMT +QW1lcmljYSBPbmxpbmUgSW5jLjE2MDQGA1UEAxMtQW1lcmljYSBPbmxpbmUgUm9vdCBDZXJ0aWZp +Y2F0aW9uIEF1dGhvcml0eSAxMB4XDTAyMDUyODA2MDAwMFoXDTM3MTExOTIwNDMwMFowYzELMAkG +A1UEBhMCVVMxHDAaBgNVBAoTE0FtZXJpY2EgT25saW5lIEluYy4xNjA0BgNVBAMTLUFtZXJpY2Eg +T25saW5lIFJvb3QgQ2VydGlmaWNhdGlvbiBBdXRob3JpdHkgMTCCASIwDQYJKoZIhvcNAQEBBQAD +ggEPADCCAQoCggEBAKgv6KRpBgNHw+kqmP8ZonCaxlCyfqXfaE0bfA+2l2h9LaaLl+lkhsmj76CG +v2BlnEtUiMJIxUo5vxTjWVXlGbR0yLQFOVwWpeKVBeASrlmLojNoWBym1BW32J/X3HGrfpq/m44z +DyL9Hy7nBzbvYjnF3cu6JRQj3gzGPTzOggjmZj7aUTsWOqMFf6Dch9Wc/HKpoH145LcxVR5lu9Rh +sCFg7RAycsWSJR74kEoYeEfffjA3PlAb2xzTa5qGUwew76wGePiEmf4hjUyAtgyC9mZweRrTT6PP +8c9GsEsPPt2IYriMqQkoO3rHl+Ee5fSfwMCuJKDIodkP1nsmgmkyPacCAwEAAaNjMGEwDwYDVR0T +AQH/BAUwAwEB/zAdBgNVHQ4EFgQUAK3Zo/Z59m50qX8zPYEX10zPM94wHwYDVR0jBBgwFoAUAK3Z +o/Z59m50qX8zPYEX10zPM94wDgYDVR0PAQH/BAQDAgGGMA0GCSqGSIb3DQEBBQUAA4IBAQB8itEf +GDeC4Liwo+1WlchiYZwFos3CYiZhzRAW18y0ZTTQEYqtqKkFZu90821fnZmv9ov761KyBZiibyrF +VL0lvV+uyIbqRizBs73B6UlwGBaXCBOMIOAbLjpHyx7kADCVW/RFo8AasAFOq73AI25jP4BKxQft +3OJvx8Fi8eNy1gTIdGcL+oiroQHIb/AUr9KZzVGTfu0uOMe9zkZQPXLjeSWdm4grECDdpbgyn43g +Kd8hdIaC2y+CMMbHNYaz+ZZfRtsMRf3zUMNvxsNIrUam4SdHCh0Om7bCd39j8uB9Gr784N/Xx6ds +sPmuujz9dLQR6FgNgLzTqIA6me11zEZ7 +-----END CERTIFICATE----- + +America Online Root Certification Authority 2 +============================================= +-----BEGIN CERTIFICATE----- +MIIFpDCCA4ygAwIBAgIBATANBgkqhkiG9w0BAQUFADBjMQswCQYDVQQGEwJVUzEcMBoGA1UEChMT +QW1lcmljYSBPbmxpbmUgSW5jLjE2MDQGA1UEAxMtQW1lcmljYSBPbmxpbmUgUm9vdCBDZXJ0aWZp +Y2F0aW9uIEF1dGhvcml0eSAyMB4XDTAyMDUyODA2MDAwMFoXDTM3MDkyOTE0MDgwMFowYzELMAkG +A1UEBhMCVVMxHDAaBgNVBAoTE0FtZXJpY2EgT25saW5lIEluYy4xNjA0BgNVBAMTLUFtZXJpY2Eg +T25saW5lIFJvb3QgQ2VydGlmaWNhdGlvbiBBdXRob3JpdHkgMjCCAiIwDQYJKoZIhvcNAQEBBQAD +ggIPADCCAgoCggIBAMxBRR3pPU0Q9oyxQcngXssNt79Hc9PwVU3dxgz6sWYFas14tNwC206B89en +fHG8dWOgXeMHDEjsJcQDIPT/DjsS/5uN4cbVG7RtIuOx238hZK+GvFciKtZHgVdEglZTvYYUAQv8 +f3SkWq7xuhG1m1hagLQ3eAkzfDJHA1zEpYNI9FdWboE2JxhP7JsowtS013wMPgwr38oE18aO6lhO +qKSlGBxsRZijQdEt0sdtjRnxrXm3gT+9BoInLRBYBbV4Bbkv2wxrkJB+FFk4u5QkE+XRnRTf04JN +RvCAOVIyD+OEsnpD8l7eXz8d3eOyG6ChKiMDbi4BFYdcpnV1x5dhvt6G3NRI270qv0pV2uh9UPu0 +gBe4lL8BPeraunzgWGcXuVjgiIZGZ2ydEEdYMtA1fHkqkKJaEBEjNa0vzORKW6fIJ/KD3l67Xnfn +6KVuY8INXWHQjNJsWiEOyiijzirplcdIz5ZvHZIlyMbGwcEMBawmxNJ10uEqZ8A9W6Wa6897Gqid +FEXlD6CaZd4vKL3Ob5Rmg0gp2OpljK+T2WSfVVcmv2/LNzGZo2C7HK2JNDJiuEMhBnIMoVxtRsX6 +Kc8w3onccVvdtjc+31D1uAclJuW8tf48ArO3+L5DwYcRlJ4jbBeKuIonDFRH8KmzwICMoCfrHRnj +B453cMor9H124HhnAgMBAAGjYzBhMA8GA1UdEwEB/wQFMAMBAf8wHQYDVR0OBBYEFE1FwWg4u3Op +aaEg5+31IqEjFNeeMB8GA1UdIwQYMBaAFE1FwWg4u3OpaaEg5+31IqEjFNeeMA4GA1UdDwEB/wQE +AwIBhjANBgkqhkiG9w0BAQUFAAOCAgEAZ2sGuV9FOypLM7PmG2tZTiLMubekJcmnxPBUlgtk87FY +T15R/LKXeydlwuXK5w0MJXti4/qftIe3RUavg6WXSIylvfEWK5t2LHo1YGwRgJfMqZJS5ivmae2p ++DYtLHe/YUjRYwu5W1LtGLBDQiKmsXeu3mnFzcccobGlHBD7GL4acN3Bkku+KVqdPzW+5X1R+FXg +JXUjhx5c3LqdsKyzadsXg8n33gy8CNyRnqjQ1xU3c6U1uPx+xURABsPr+CKAXEfOAuMRn0T//Zoy +zH1kUQ7rVyZ2OuMeIjzCpjbdGe+n/BLzJsBZMYVMnNjP36TMzCmT/5RtdlwTCJfy7aULTd3oyWgO +ZtMADjMSW7yV5TKQqLPGbIOtd+6Lfn6xqavT4fG2wLHqiMDn05DpKJKUe2h7lyoKZy2FAjgQ5ANh +1NolNscIWC2hp1GvMApJ9aZphwctREZ2jirlmjvXGKL8nDgQzMY70rUXOm/9riW99XJZZLF0Kjhf +GEzfz3EEWjbUvy+ZnOjZurGV5gJLIaFb1cFPj65pbVPbAZO1XB4Y3WRayhgoPmMEEf0cjQAPuDff +Z4qdZqkCapH/E8ovXYO8h5Ns3CRRFgQlZvqz2cK6Kb6aSDiCmfS/O0oxGfm/jiEzFMpPVF/7zvuP +cX/9XhmgD0uRuMRUvAawRY8mkaKO/qk= +-----END CERTIFICATE----- + +Visa eCommerce Root +=================== +-----BEGIN CERTIFICATE----- +MIIDojCCAoqgAwIBAgIQE4Y1TR0/BvLB+WUF1ZAcYjANBgkqhkiG9w0BAQUFADBrMQswCQYDVQQG +EwJVUzENMAsGA1UEChMEVklTQTEvMC0GA1UECxMmVmlzYSBJbnRlcm5hdGlvbmFsIFNlcnZpY2Ug +QXNzb2NpYXRpb24xHDAaBgNVBAMTE1Zpc2EgZUNvbW1lcmNlIFJvb3QwHhcNMDIwNjI2MDIxODM2 +WhcNMjIwNjI0MDAxNjEyWjBrMQswCQYDVQQGEwJVUzENMAsGA1UEChMEVklTQTEvMC0GA1UECxMm +VmlzYSBJbnRlcm5hdGlvbmFsIFNlcnZpY2UgQXNzb2NpYXRpb24xHDAaBgNVBAMTE1Zpc2EgZUNv +bW1lcmNlIFJvb3QwggEiMA0GCSqGSIb3DQEBAQUAA4IBDwAwggEKAoIBAQCvV95WHm6h2mCxlCfL +F9sHP4CFT8icttD0b0/Pmdjh28JIXDqsOTPHH2qLJj0rNfVIsZHBAk4ElpF7sDPwsRROEW+1QK8b +RaVK7362rPKgH1g/EkZgPI2h4H3PVz4zHvtH8aoVlwdVZqW1LS7YgFmypw23RuwhY/81q6UCzyr0 +TP579ZRdhE2o8mCP2w4lPJ9zcc+U30rq299yOIzzlr3xF7zSujtFWsan9sYXiwGd/BmoKoMWuDpI +/k4+oKsGGelT84ATB+0tvz8KPFUgOSwsAGl0lUq8ILKpeeUYiZGo3BxN77t+Nwtd/jmliFKMAGzs +GHxBvfaLdXe6YJ2E5/4tAgMBAAGjQjBAMA8GA1UdEwEB/wQFMAMBAf8wDgYDVR0PAQH/BAQDAgEG +MB0GA1UdDgQWBBQVOIMPPyw/cDMezUb+B4wg4NfDtzANBgkqhkiG9w0BAQUFAAOCAQEAX/FBfXxc +CLkr4NWSR/pnXKUTwwMhmytMiUbPWU3J/qVAtmPN3XEolWcRzCSs00Rsca4BIGsDoo8Ytyk6feUW +YFN4PMCvFYP3j1IzJL1kk5fui/fbGKhtcbP3LBfQdCVp9/5rPJS+TUtBjE7ic9DjkCJzQ83z7+pz +zkWKsKZJ/0x9nXGIxHYdkFsd7v3M9+79YKWxehZx0RbQfBI8bGmX265fOZpwLwU8GUYEmSA20GBu +YQa7FkKMcPcw++DbZqMAAb3mLNqRX6BGi01qnD093QVG/na/oAo85ADmJ7f/hC3euiInlhBx6yLt +398znM/jra6O1I7mT1GvFpLgXPYHDw== +-----END CERTIFICATE----- + +Certum Root CA +============== +-----BEGIN CERTIFICATE----- +MIIDDDCCAfSgAwIBAgIDAQAgMA0GCSqGSIb3DQEBBQUAMD4xCzAJBgNVBAYTAlBMMRswGQYDVQQK +ExJVbml6ZXRvIFNwLiB6IG8uby4xEjAQBgNVBAMTCUNlcnR1bSBDQTAeFw0wMjA2MTExMDQ2Mzla +Fw0yNzA2MTExMDQ2MzlaMD4xCzAJBgNVBAYTAlBMMRswGQYDVQQKExJVbml6ZXRvIFNwLiB6IG8u +by4xEjAQBgNVBAMTCUNlcnR1bSBDQTCCASIwDQYJKoZIhvcNAQEBBQADggEPADCCAQoCggEBAM6x +wS7TT3zNJc4YPk/EjG+AanPIW1H4m9LcuwBcsaD8dQPugfCI7iNS6eYVM42sLQnFdvkrOYCJ5JdL +kKWoePhzQ3ukYbDYWMzhbGZ+nPMJXlVjhNWo7/OxLjBos8Q82KxujZlakE403Daaj4GIULdtlkIJ +89eVgw1BS7Bqa/j8D35in2fE7SZfECYPCE/wpFcozo+47UX2bu4lXapuOb7kky/ZR6By6/qmW6/K +Uz/iDsaWVhFu9+lmqSbYf5VT7QqFiLpPKaVCjF62/IUgAKpoC6EahQGcxEZjgoi2IrHu/qpGWX7P +NSzVttpd90gzFFS269lvzs2I1qsb2pY7HVkCAwEAAaMTMBEwDwYDVR0TAQH/BAUwAwEB/zANBgkq +hkiG9w0BAQUFAAOCAQEAuI3O7+cUus/usESSbLQ5PqKEbq24IXfS1HeCh+YgQYHu4vgRt2PRFze+ +GXYkHAQaTOs9qmdvLdTN/mUxcMUbpgIKumB7bVjCmkn+YzILa+M6wKyrO7Do0wlRjBCDxjTgxSvg +GrZgFCdsMneMvLJymM/NzD+5yCRCFNZX/OYmQ6kd5YCQzgNUKD73P9P4Te1qCjqTE5s7FCMTY5w/ +0YcneeVMUeMBrYVdGjux1XMQpNPyvG5k9VpWkKjHDkx0Dy5xO/fIR/RpbxXyEV6DHpx8Uq79AtoS +qFlnGNu8cN2bsWntgM6JQEhqDjXKKWYVIZQs6GAqm4VKQPNriiTsBhYscw== +-----END CERTIFICATE----- + +Comodo AAA Services root +======================== +-----BEGIN CERTIFICATE----- +MIIEMjCCAxqgAwIBAgIBATANBgkqhkiG9w0BAQUFADB7MQswCQYDVQQGEwJHQjEbMBkGA1UECAwS +R3JlYXRlciBNYW5jaGVzdGVyMRAwDgYDVQQHDAdTYWxmb3JkMRowGAYDVQQKDBFDb21vZG8gQ0Eg +TGltaXRlZDEhMB8GA1UEAwwYQUFBIENlcnRpZmljYXRlIFNlcnZpY2VzMB4XDTA0MDEwMTAwMDAw +MFoXDTI4MTIzMTIzNTk1OVowezELMAkGA1UEBhMCR0IxGzAZBgNVBAgMEkdyZWF0ZXIgTWFuY2hl +c3RlcjEQMA4GA1UEBwwHU2FsZm9yZDEaMBgGA1UECgwRQ29tb2RvIENBIExpbWl0ZWQxITAfBgNV +BAMMGEFBQSBDZXJ0aWZpY2F0ZSBTZXJ2aWNlczCCASIwDQYJKoZIhvcNAQEBBQADggEPADCCAQoC +ggEBAL5AnfRu4ep2hxxNRUSOvkbIgwadwSr+GB+O5AL686tdUIoWMQuaBtDFcCLNSS1UY8y2bmhG +C1Pqy0wkwLxyTurxFa70VJoSCsN6sjNg4tqJVfMiWPPe3M/vg4aijJRPn2jymJBGhCfHdr/jzDUs +i14HZGWCwEiwqJH5YZ92IFCokcdmtet4YgNW8IoaE+oxox6gmf049vYnMlhvB/VruPsUK6+3qszW +Y19zjNoFmag4qMsXeDZRrOme9Hg6jc8P2ULimAyrL58OAd7vn5lJ8S3frHRNG5i1R8XlKdH5kBjH +Ypy+g8cmez6KJcfA3Z3mNWgQIJ2P2N7Sw4ScDV7oL8kCAwEAAaOBwDCBvTAdBgNVHQ4EFgQUoBEK +Iz6W8Qfs4q8p74Klf9AwpLQwDgYDVR0PAQH/BAQDAgEGMA8GA1UdEwEB/wQFMAMBAf8wewYDVR0f +BHQwcjA4oDagNIYyaHR0cDovL2NybC5jb21vZG9jYS5jb20vQUFBQ2VydGlmaWNhdGVTZXJ2aWNl +cy5jcmwwNqA0oDKGMGh0dHA6Ly9jcmwuY29tb2RvLm5ldC9BQUFDZXJ0aWZpY2F0ZVNlcnZpY2Vz +LmNybDANBgkqhkiG9w0BAQUFAAOCAQEACFb8AvCb6P+k+tZ7xkSAzk/ExfYAWMymtrwUSWgEdujm +7l3sAg9g1o1QGE8mTgHj5rCl7r+8dFRBv/38ErjHT1r0iWAFf2C3BUrz9vHCv8S5dIa2LX1rzNLz +Rt0vxuBqw8M0Ayx9lt1awg6nCpnBBYurDC/zXDrPbDdVCYfeU0BsWO/8tqtlbgT2G9w84FoVxp7Z +8VlIMCFlA2zs6SFz7JsDoeA3raAVGI/6ugLOpyypEBMs1OUIJqsil2D4kF501KKaU73yqWjgom7C +12yxow+ev+to51byrvLjKzg6CYG1a4XXvi3tPxq3smPi9WIsgtRqAEFQ8TmDn5XpNpaYbg== +-----END CERTIFICATE----- + +Comodo Secure Services root +=========================== +-----BEGIN CERTIFICATE----- +MIIEPzCCAyegAwIBAgIBATANBgkqhkiG9w0BAQUFADB+MQswCQYDVQQGEwJHQjEbMBkGA1UECAwS +R3JlYXRlciBNYW5jaGVzdGVyMRAwDgYDVQQHDAdTYWxmb3JkMRowGAYDVQQKDBFDb21vZG8gQ0Eg +TGltaXRlZDEkMCIGA1UEAwwbU2VjdXJlIENlcnRpZmljYXRlIFNlcnZpY2VzMB4XDTA0MDEwMTAw +MDAwMFoXDTI4MTIzMTIzNTk1OVowfjELMAkGA1UEBhMCR0IxGzAZBgNVBAgMEkdyZWF0ZXIgTWFu +Y2hlc3RlcjEQMA4GA1UEBwwHU2FsZm9yZDEaMBgGA1UECgwRQ29tb2RvIENBIExpbWl0ZWQxJDAi +BgNVBAMMG1NlY3VyZSBDZXJ0aWZpY2F0ZSBTZXJ2aWNlczCCASIwDQYJKoZIhvcNAQEBBQADggEP +ADCCAQoCggEBAMBxM4KK0HDrc4eCQNUd5MvJDkKQ+d40uaG6EfQlhfPMcm3ye5drswfxdySRXyWP +9nQ95IDC+DwN879A6vfIUtFyb+/Iq0G4bi4XKpVpDM3SHpR7LZQdqnXXs5jLrLxkU0C8j6ysNstc +rbvd4JQX7NFc0L/vpZXJkMWwrPsbQ996CF23uPJAGysnnlDOXmWCiIxe004MeuoIkbY2qitC++rC +oznl2yY4rYsK7hljxxwk3wN42ubqwUcaCwtGCd0C/N7Lh1/XMGNooa7cMqG6vv5Eq2i2pRcV/b3V +p6ea5EQz6YiO/O1R65NxTq0B50SOqy3LqP4BSUjwwN3HaNiS/j0CAwEAAaOBxzCBxDAdBgNVHQ4E +FgQUPNiTiMLAggnMAZkGkyDpnnAJY08wDgYDVR0PAQH/BAQDAgEGMA8GA1UdEwEB/wQFMAMBAf8w +gYEGA1UdHwR6MHgwO6A5oDeGNWh0dHA6Ly9jcmwuY29tb2RvY2EuY29tL1NlY3VyZUNlcnRpZmlj +YXRlU2VydmljZXMuY3JsMDmgN6A1hjNodHRwOi8vY3JsLmNvbW9kby5uZXQvU2VjdXJlQ2VydGlm +aWNhdGVTZXJ2aWNlcy5jcmwwDQYJKoZIhvcNAQEFBQADggEBAIcBbSMdflsXfcFhMs+P5/OKlFlm +4J4oqF7Tt/Q05qo5spcWxYJvMqTpjOev/e/C6LlLqqP05tqNZSH7uoDrJiiFGv45jN5bBAS0VPmj +Z55B+glSzAVIqMk/IQQezkhr/IXownuvf7fM+F86/TXGDe+X3EyrEeFryzHRbPtIgKvcnDe4IRRL +DXE97IMzbtFuMhbsmMcWi1mmNKsFVy2T96oTy9IT4rcuO81rUBcJaD61JlfutuC23bkpgHl9j6Pw +pCikFcSF9CfUa7/lXORlAnZUtOM3ZiTTGWHIUhDlizeauan5Hb/qmZJhlv8BzaFfDbxxvA6sCx1H +RR3B7Hzs/Sk= +-----END CERTIFICATE----- + +Comodo Trusted Services root +============================ +-----BEGIN CERTIFICATE----- +MIIEQzCCAyugAwIBAgIBATANBgkqhkiG9w0BAQUFADB/MQswCQYDVQQGEwJHQjEbMBkGA1UECAwS +R3JlYXRlciBNYW5jaGVzdGVyMRAwDgYDVQQHDAdTYWxmb3JkMRowGAYDVQQKDBFDb21vZG8gQ0Eg +TGltaXRlZDElMCMGA1UEAwwcVHJ1c3RlZCBDZXJ0aWZpY2F0ZSBTZXJ2aWNlczAeFw0wNDAxMDEw +MDAwMDBaFw0yODEyMzEyMzU5NTlaMH8xCzAJBgNVBAYTAkdCMRswGQYDVQQIDBJHcmVhdGVyIE1h +bmNoZXN0ZXIxEDAOBgNVBAcMB1NhbGZvcmQxGjAYBgNVBAoMEUNvbW9kbyBDQSBMaW1pdGVkMSUw +IwYDVQQDDBxUcnVzdGVkIENlcnRpZmljYXRlIFNlcnZpY2VzMIIBIjANBgkqhkiG9w0BAQEFAAOC +AQ8AMIIBCgKCAQEA33FvNlhTWvI2VFeAxHQIIO0Yfyod5jWaHiWsnOWWfnJSoBVC21ndZHoa0Lh7 +3TkVvFVIxO06AOoxEbrycXQaZ7jPM8yoMa+j49d/vzMtTGo87IvDktJTdyR0nAducPy9C1t2ul/y +/9c3S0pgePfw+spwtOpZqqPOSC+pw7ILfhdyFgymBwwbOM/JYrc/oJOlh0Hyt3BAd9i+FHzjqMB6 +juljatEPmsbS9Is6FARW1O24zG71++IsWL1/T2sr92AkWCTOJu80kTrV44HQsvAEAtdbtz6SrGsS +ivnkBbA7kUlcsutT6vifR4buv5XAwAaf0lteERv0xwQ1KdJVXOTt6wIDAQABo4HJMIHGMB0GA1Ud +DgQWBBTFe1i97doladL3WRaoszLAeydb9DAOBgNVHQ8BAf8EBAMCAQYwDwYDVR0TAQH/BAUwAwEB +/zCBgwYDVR0fBHwwejA8oDqgOIY2aHR0cDovL2NybC5jb21vZG9jYS5jb20vVHJ1c3RlZENlcnRp +ZmljYXRlU2VydmljZXMuY3JsMDqgOKA2hjRodHRwOi8vY3JsLmNvbW9kby5uZXQvVHJ1c3RlZENl +cnRpZmljYXRlU2VydmljZXMuY3JsMA0GCSqGSIb3DQEBBQUAA4IBAQDIk4E7ibSvuIQSTI3S8Ntw +uleGFTQQuS9/HrCoiWChisJ3DFBKmwCL2Iv0QeLQg4pKHBQGsKNoBXAxMKdTmw7pSqBYaWcOrp32 +pSxBvzwGa+RZzG0Q8ZZvH9/0BAKkn0U+yNj6NkZEUD+Cl5EfKNsYEYwq5GWDVxISjBc/lDb+XbDA +BHcTuPQV1T84zJQ6VdCsmPW6AF/ghhmBeC8owH7TzEIK9a5QoNE+xqFx7D+gIIxmOom0jtTYsU0l +R+4viMi14QVFwL4Ucd56/Y57fU0IlqUSc/AtyjcndBInTMu2l+nZrghtWjlA3QVHdWpaIbOjGM9O +9y5Xt5hwXsjEeLBi +-----END CERTIFICATE----- + +QuoVadis Root CA +================ +-----BEGIN CERTIFICATE----- +MIIF0DCCBLigAwIBAgIEOrZQizANBgkqhkiG9w0BAQUFADB/MQswCQYDVQQGEwJCTTEZMBcGA1UE +ChMQUXVvVmFkaXMgTGltaXRlZDElMCMGA1UECxMcUm9vdCBDZXJ0aWZpY2F0aW9uIEF1dGhvcml0 +eTEuMCwGA1UEAxMlUXVvVmFkaXMgUm9vdCBDZXJ0aWZpY2F0aW9uIEF1dGhvcml0eTAeFw0wMTAz +MTkxODMzMzNaFw0yMTAzMTcxODMzMzNaMH8xCzAJBgNVBAYTAkJNMRkwFwYDVQQKExBRdW9WYWRp +cyBMaW1pdGVkMSUwIwYDVQQLExxSb290IENlcnRpZmljYXRpb24gQXV0aG9yaXR5MS4wLAYDVQQD +EyVRdW9WYWRpcyBSb290IENlcnRpZmljYXRpb24gQXV0aG9yaXR5MIIBIjANBgkqhkiG9w0BAQEF +AAOCAQ8AMIIBCgKCAQEAv2G1lVO6V/z68mcLOhrfEYBklbTRvM16z/Ypli4kVEAkOPcahdxYTMuk +J0KX0J+DisPkBgNbAKVRHnAEdOLB1Dqr1607BxgFjv2DrOpm2RgbaIr1VxqYuvXtdj182d6UajtL +F8HVj71lODqV0D1VNk7feVcxKh7YWWVJWCCYfqtffp/p1k3sg3Spx2zY7ilKhSoGFPlU5tPaZQeL +YzcS19Dsw3sgQUSj7cugF+FxZc4dZjH3dgEZyH0DWLaVSR2mEiboxgx24ONmy+pdpibu5cxfvWen +AScOospUxbF6lR1xHkopigPcakXBpBlebzbNw6Kwt/5cOOJSvPhEQ+aQuwIDAQABo4ICUjCCAk4w +PQYIKwYBBQUHAQEEMTAvMC0GCCsGAQUFBzABhiFodHRwczovL29jc3AucXVvdmFkaXNvZmZzaG9y +ZS5jb20wDwYDVR0TAQH/BAUwAwEB/zCCARoGA1UdIASCAREwggENMIIBCQYJKwYBBAG+WAABMIH7 +MIHUBggrBgEFBQcCAjCBxxqBxFJlbGlhbmNlIG9uIHRoZSBRdW9WYWRpcyBSb290IENlcnRpZmlj +YXRlIGJ5IGFueSBwYXJ0eSBhc3N1bWVzIGFjY2VwdGFuY2Ugb2YgdGhlIHRoZW4gYXBwbGljYWJs +ZSBzdGFuZGFyZCB0ZXJtcyBhbmQgY29uZGl0aW9ucyBvZiB1c2UsIGNlcnRpZmljYXRpb24gcHJh +Y3RpY2VzLCBhbmQgdGhlIFF1b1ZhZGlzIENlcnRpZmljYXRlIFBvbGljeS4wIgYIKwYBBQUHAgEW +Fmh0dHA6Ly93d3cucXVvdmFkaXMuYm0wHQYDVR0OBBYEFItLbe3TKbkGGew5Oanwl4Rqy+/fMIGu +BgNVHSMEgaYwgaOAFItLbe3TKbkGGew5Oanwl4Rqy+/foYGEpIGBMH8xCzAJBgNVBAYTAkJNMRkw +FwYDVQQKExBRdW9WYWRpcyBMaW1pdGVkMSUwIwYDVQQLExxSb290IENlcnRpZmljYXRpb24gQXV0 +aG9yaXR5MS4wLAYDVQQDEyVRdW9WYWRpcyBSb290IENlcnRpZmljYXRpb24gQXV0aG9yaXR5ggQ6 +tlCLMA4GA1UdDwEB/wQEAwIBBjANBgkqhkiG9w0BAQUFAAOCAQEAitQUtf70mpKnGdSkfnIYj9lo +fFIk3WdvOXrEql494liwTXCYhGHoG+NpGA7O+0dQoE7/8CQfvbLO9Sf87C9TqnN7Az10buYWnuul +LsS/VidQK2K6vkscPFVcQR0kvoIgR13VRH56FmjffU1RcHhXHTMe/QKZnAzNCgVPx7uOpHX6Sm2x +gI4JVrmcGmD+XcHXetwReNDWXcG31a0ymQM6isxUJTkxgXsTIlG6Rmyhu576BGxJJnSP0nPrzDCi +5upZIof4l/UO/erMkqQWxFIY6iHOsfHmhIHluqmGKPJDWl0Snawe2ajlCmqnf6CHKc/yiU3U7MXi +5nrQNiOKSnQ2+Q== +-----END CERTIFICATE----- + +QuoVadis Root CA 2 +================== +-----BEGIN CERTIFICATE----- +MIIFtzCCA5+gAwIBAgICBQkwDQYJKoZIhvcNAQEFBQAwRTELMAkGA1UEBhMCQk0xGTAXBgNVBAoT +EFF1b1ZhZGlzIExpbWl0ZWQxGzAZBgNVBAMTElF1b1ZhZGlzIFJvb3QgQ0EgMjAeFw0wNjExMjQx +ODI3MDBaFw0zMTExMjQxODIzMzNaMEUxCzAJBgNVBAYTAkJNMRkwFwYDVQQKExBRdW9WYWRpcyBM +aW1pdGVkMRswGQYDVQQDExJRdW9WYWRpcyBSb290IENBIDIwggIiMA0GCSqGSIb3DQEBAQUAA4IC +DwAwggIKAoICAQCaGMpLlA0ALa8DKYrwD4HIrkwZhR0In6spRIXzL4GtMh6QRr+jhiYaHv5+HBg6 +XJxgFyo6dIMzMH1hVBHL7avg5tKifvVrbxi3Cgst/ek+7wrGsxDp3MJGF/hd/aTa/55JWpzmM+Yk +lvc/ulsrHHo1wtZn/qtmUIttKGAr79dgw8eTvI02kfN/+NsRE8Scd3bBrrcCaoF6qUWD4gXmuVbB +lDePSHFjIuwXZQeVikvfj8ZaCuWw419eaxGrDPmF60Tp+ARz8un+XJiM9XOva7R+zdRcAitMOeGy +lZUtQofX1bOQQ7dsE/He3fbE+Ik/0XX1ksOR1YqI0JDs3G3eicJlcZaLDQP9nL9bFqyS2+r+eXyt +66/3FsvbzSUr5R/7mp/iUcw6UwxI5g69ybR2BlLmEROFcmMDBOAENisgGQLodKcftslWZvB1Jdxn +wQ5hYIizPtGo/KPaHbDRsSNU30R2be1B2MGyIrZTHN81Hdyhdyox5C315eXbyOD/5YDXC2Og/zOh +D7osFRXql7PSorW+8oyWHhqPHWykYTe5hnMz15eWniN9gqRMgeKh0bpnX5UHoycR7hYQe7xFSkyy +BNKr79X9DFHOUGoIMfmR2gyPZFwDwzqLID9ujWc9Otb+fVuIyV77zGHcizN300QyNQliBJIWENie +J0f7OyHj+OsdWwIDAQABo4GwMIGtMA8GA1UdEwEB/wQFMAMBAf8wCwYDVR0PBAQDAgEGMB0GA1Ud +DgQWBBQahGK8SEwzJQTU7tD2A8QZRtGUazBuBgNVHSMEZzBlgBQahGK8SEwzJQTU7tD2A8QZRtGU +a6FJpEcwRTELMAkGA1UEBhMCQk0xGTAXBgNVBAoTEFF1b1ZhZGlzIExpbWl0ZWQxGzAZBgNVBAMT +ElF1b1ZhZGlzIFJvb3QgQ0EgMoICBQkwDQYJKoZIhvcNAQEFBQADggIBAD4KFk2fBluornFdLwUv +Z+YTRYPENvbzwCYMDbVHZF34tHLJRqUDGCdViXh9duqWNIAXINzng/iN/Ae42l9NLmeyhP3ZRPx3 +UIHmfLTJDQtyU/h2BwdBR5YM++CCJpNVjP4iH2BlfF/nJrP3MpCYUNQ3cVX2kiF495V5+vgtJodm +VjB3pjd4M1IQWK4/YY7yarHvGH5KWWPKjaJW1acvvFYfzznB4vsKqBUsfU16Y8Zsl0Q80m/DShcK ++JDSV6IZUaUtl0HaB0+pUNqQjZRG4T7wlP0QADj1O+hA4bRuVhogzG9Yje0uRY/W6ZM/57Es3zrW +IozchLsib9D45MY56QSIPMO661V6bYCZJPVsAfv4l7CUW+v90m/xd2gNNWQjrLhVoQPRTUIZ3Ph1 +WVaj+ahJefivDrkRoHy3au000LYmYjgahwz46P0u05B/B5EqHdZ+XIWDmbA4CD/pXvk1B+TJYm5X +f6dQlfe6yJvmjqIBxdZmv3lh8zwc4bmCXF2gw+nYSL0ZohEUGW6yhhtoPkg3Goi3XZZenMfvJ2II +4pEZXNLxId26F0KCl3GBUzGpn/Z9Yr9y4aOTHcyKJloJONDO1w2AFrR4pTqHTI2KpdVGl/IsELm8 +VCLAAVBpQ570su9t+Oza8eOx79+Rj1QqCyXBJhnEUhAFZdWCEOrCMc0u +-----END CERTIFICATE----- + +QuoVadis Root CA 3 +================== +-----BEGIN CERTIFICATE----- +MIIGnTCCBIWgAwIBAgICBcYwDQYJKoZIhvcNAQEFBQAwRTELMAkGA1UEBhMCQk0xGTAXBgNVBAoT +EFF1b1ZhZGlzIExpbWl0ZWQxGzAZBgNVBAMTElF1b1ZhZGlzIFJvb3QgQ0EgMzAeFw0wNjExMjQx +OTExMjNaFw0zMTExMjQxOTA2NDRaMEUxCzAJBgNVBAYTAkJNMRkwFwYDVQQKExBRdW9WYWRpcyBM +aW1pdGVkMRswGQYDVQQDExJRdW9WYWRpcyBSb290IENBIDMwggIiMA0GCSqGSIb3DQEBAQUAA4IC +DwAwggIKAoICAQDMV0IWVJzmmNPTTe7+7cefQzlKZbPoFog02w1ZkXTPkrgEQK0CSzGrvI2RaNgg +DhoB4hp7Thdd4oq3P5kazethq8Jlph+3t723j/z9cI8LoGe+AaJZz3HmDyl2/7FWeUUrH556VOij +KTVopAFPD6QuN+8bv+OPEKhyq1hX51SGyMnzW9os2l2ObjyjPtr7guXd8lyyBTNvijbO0BNO/79K +DDRMpsMhvVAEVeuxu537RR5kFd5VAYwCdrXLoT9CabwvvWhDFlaJKjdhkf2mrk7AyxRllDdLkgbv +BNDInIjbC3uBr7E9KsRlOni27tyAsdLTmZw67mtaa7ONt9XOnMK+pUsvFrGeaDsGb659n/je7Mwp +p5ijJUMv7/FfJuGITfhebtfZFG4ZM2mnO4SJk8RTVROhUXhA+LjJou57ulJCg54U7QVSWllWp5f8 +nT8KKdjcT5EOE7zelaTfi5m+rJsziO+1ga8bxiJTyPbH7pcUsMV8eFLI8M5ud2CEpukqdiDtWAEX +MJPpGovgc2PZapKUSU60rUqFxKMiMPwJ7Wgic6aIDFUhWMXhOp8q3crhkODZc6tsgLjoC2SToJyM +Gf+z0gzskSaHirOi4XCPLArlzW1oUevaPwV/izLmE1xr/l9A4iLItLRkT9a6fUg+qGkM17uGcclz +uD87nSVL2v9A6wIDAQABo4IBlTCCAZEwDwYDVR0TAQH/BAUwAwEB/zCB4QYDVR0gBIHZMIHWMIHT +BgkrBgEEAb5YAAMwgcUwgZMGCCsGAQUFBwICMIGGGoGDQW55IHVzZSBvZiB0aGlzIENlcnRpZmlj +YXRlIGNvbnN0aXR1dGVzIGFjY2VwdGFuY2Ugb2YgdGhlIFF1b1ZhZGlzIFJvb3QgQ0EgMyBDZXJ0 +aWZpY2F0ZSBQb2xpY3kgLyBDZXJ0aWZpY2F0aW9uIFByYWN0aWNlIFN0YXRlbWVudC4wLQYIKwYB +BQUHAgEWIWh0dHA6Ly93d3cucXVvdmFkaXNnbG9iYWwuY29tL2NwczALBgNVHQ8EBAMCAQYwHQYD +VR0OBBYEFPLAE+CCQz777i9nMpY1XNu4ywLQMG4GA1UdIwRnMGWAFPLAE+CCQz777i9nMpY1XNu4 +ywLQoUmkRzBFMQswCQYDVQQGEwJCTTEZMBcGA1UEChMQUXVvVmFkaXMgTGltaXRlZDEbMBkGA1UE +AxMSUXVvVmFkaXMgUm9vdCBDQSAzggIFxjANBgkqhkiG9w0BAQUFAAOCAgEAT62gLEz6wPJv92ZV +qyM07ucp2sNbtrCD2dDQ4iH782CnO11gUyeim/YIIirnv6By5ZwkajGxkHon24QRiSemd1o417+s +hvzuXYO8BsbRd2sPbSQvS3pspweWyuOEn62Iix2rFo1bZhfZFvSLgNLd+LJ2w/w4E6oM3kJpK27z +POuAJ9v1pkQNn1pVWQvVDVJIxa6f8i+AxeoyUDUSly7B4f/xI4hROJ/yZlZ25w9Rl6VSDE1JUZU2 +Pb+iSwwQHYaZTKrzchGT5Or2m9qoXadNt54CrnMAyNojA+j56hl0YgCUyyIgvpSnWbWCar6ZeXqp +8kokUvd0/bpO5qgdAm6xDYBEwa7TIzdfu4V8K5Iu6H6li92Z4b8nby1dqnuH/grdS/yO9SbkbnBC +bjPsMZ57k8HkyWkaPcBrTiJt7qtYTcbQQcEr6k8Sh17rRdhs9ZgC06DYVYoGmRmioHfRMJ6szHXu +g/WwYjnPbFfiTNKRCw51KBuav/0aQ/HKd/s7j2G4aSgWQgRecCocIdiP4b0jWy10QJLZYxkNc91p +vGJHvOB0K7Lrfb5BG7XARsWhIstfTsEokt4YutUqKLsRixeTmJlglFwjz1onl14LBQaTNx47aTbr +qZ5hHY8y2o4M1nQ+ewkk2gF3R8Q7zTSMmfXK4SVhM7JZG+Ju1zdXtg2pEto= +-----END CERTIFICATE----- + +Security Communication Root CA +============================== +-----BEGIN CERTIFICATE----- +MIIDWjCCAkKgAwIBAgIBADANBgkqhkiG9w0BAQUFADBQMQswCQYDVQQGEwJKUDEYMBYGA1UEChMP +U0VDT00gVHJ1c3QubmV0MScwJQYDVQQLEx5TZWN1cml0eSBDb21tdW5pY2F0aW9uIFJvb3RDQTEw +HhcNMDMwOTMwMDQyMDQ5WhcNMjMwOTMwMDQyMDQ5WjBQMQswCQYDVQQGEwJKUDEYMBYGA1UEChMP +U0VDT00gVHJ1c3QubmV0MScwJQYDVQQLEx5TZWN1cml0eSBDb21tdW5pY2F0aW9uIFJvb3RDQTEw +ggEiMA0GCSqGSIb3DQEBAQUAA4IBDwAwggEKAoIBAQCzs/5/022x7xZ8V6UMbXaKL0u/ZPtM7orw +8yl89f/uKuDp6bpbZCKamm8sOiZpUQWZJtzVHGpxxpp9Hp3dfGzGjGdnSj74cbAZJ6kJDKaVv0uM +DPpVmDvY6CKhS3E4eayXkmmziX7qIWgGmBSWh9JhNrxtJ1aeV+7AwFb9Ms+k2Y7CI9eNqPPYJayX +5HA49LY6tJ07lyZDo6G8SVlyTCMwhwFY9k6+HGhWZq/NQV3Is00qVUarH9oe4kA92819uZKAnDfd +DJZkndwi92SL32HeFZRSFaB9UslLqCHJxrHty8OVYNEP8Ktw+N/LTX7s1vqr2b1/VPKl6Xn62dZ2 +JChzAgMBAAGjPzA9MB0GA1UdDgQWBBSgc0mZaNyFW2XjmygvV5+9M7wHSDALBgNVHQ8EBAMCAQYw +DwYDVR0TAQH/BAUwAwEB/zANBgkqhkiG9w0BAQUFAAOCAQEAaECpqLvkT115swW1F7NgE+vGkl3g +0dNq/vu+m22/xwVtWSDEHPC32oRYAmP6SBbvT6UL90qY8j+eG61Ha2POCEfrUj94nK9NrvjVT8+a +mCoQQTlSxN3Zmw7vkwGusi7KaEIkQmywszo+zenaSMQVy+n5Bw+SUEmK3TGXX8npN6o7WWWXlDLJ +s58+OmJYxUmtYg5xpTKqL8aJdkNAExNnPaJUJRDL8Try2frbSVa7pv6nQTXD4IhhyYjH3zYQIphZ +6rBK+1YWc26sTfcioU+tHXotRSflMMFe8toTyyVCUZVHA4xsIcx0Qu1T/zOLjw9XARYvz6buyXAi +FL39vmwLAw== +-----END CERTIFICATE----- + +Sonera Class 1 Root CA +====================== +-----BEGIN CERTIFICATE----- +MIIDIDCCAgigAwIBAgIBJDANBgkqhkiG9w0BAQUFADA5MQswCQYDVQQGEwJGSTEPMA0GA1UEChMG +U29uZXJhMRkwFwYDVQQDExBTb25lcmEgQ2xhc3MxIENBMB4XDTAxMDQwNjEwNDkxM1oXDTIxMDQw +NjEwNDkxM1owOTELMAkGA1UEBhMCRkkxDzANBgNVBAoTBlNvbmVyYTEZMBcGA1UEAxMQU29uZXJh +IENsYXNzMSBDQTCCASIwDQYJKoZIhvcNAQEBBQADggEPADCCAQoCggEBALWJHytPZwp5/8Ue+H88 +7dF+2rDNbS82rDTG29lkFwhjMDMiikzujrsPDUJVyZ0upe/3p4zDq7mXy47vPxVnqIJyY1MPQYx9 +EJUkoVqlBvqSV536pQHydekfvFYmUk54GWVYVQNYwBSujHxVX3BbdyMGNpfzJLWaRpXk3w0LBUXl +0fIdgrvGE+D+qnr9aTCU89JFhfzyMlsy3uhsXR/LpCJ0sICOXZT3BgBLqdReLjVQCfOAl/QMF645 +2F/NM8EcyonCIvdFEu1eEpOdY6uCLrnrQkFEy0oaAIINnvmLVz5MxxftLItyM19yejhW1ebZrgUa +HXVFsculJRwSVzb9IjcCAwEAAaMzMDEwDwYDVR0TAQH/BAUwAwEB/zARBgNVHQ4ECgQIR+IMi/ZT +iFIwCwYDVR0PBAQDAgEGMA0GCSqGSIb3DQEBBQUAA4IBAQCLGrLJXWG04bkruVPRsoWdd44W7hE9 +28Jj2VuXZfsSZ9gqXLar5V7DtxYvyOirHYr9qxp81V9jz9yw3Xe5qObSIjiHBxTZ/75Wtf0HDjxV +yhbMp6Z3N/vbXB9OWQaHowND9Rart4S9Tu+fMTfwRvFAttEMpWT4Y14h21VOTzF2nBBhjrZTOqMR +vq9tfB69ri3iDGnHhVNoomG6xT60eVR4ngrHAr5i0RGCS2UvkVrCqIexVmiUefkl98HVrhq4uz2P +qYo4Ffdz0Fpg0YCw8NzVUM1O7pJIae2yIx4wzMiUyLb1O4Z/P6Yun/Y+LLWSlj7fLJOK/4GMDw9Z +IRlXvVWa +-----END CERTIFICATE----- + +Sonera Class 2 Root CA +====================== +-----BEGIN CERTIFICATE----- +MIIDIDCCAgigAwIBAgIBHTANBgkqhkiG9w0BAQUFADA5MQswCQYDVQQGEwJGSTEPMA0GA1UEChMG +U29uZXJhMRkwFwYDVQQDExBTb25lcmEgQ2xhc3MyIENBMB4XDTAxMDQwNjA3Mjk0MFoXDTIxMDQw +NjA3Mjk0MFowOTELMAkGA1UEBhMCRkkxDzANBgNVBAoTBlNvbmVyYTEZMBcGA1UEAxMQU29uZXJh +IENsYXNzMiBDQTCCASIwDQYJKoZIhvcNAQEBBQADggEPADCCAQoCggEBAJAXSjWdyvANlsdE+hY3 +/Ei9vX+ALTU74W+oZ6m/AxxNjG8yR9VBaKQTBME1DJqEQ/xcHf+Js+gXGM2RX/uJ4+q/Tl18GybT +dXnt5oTjV+WtKcT0OijnpXuENmmz/V52vaMtmdOQTiMofRhj8VQ7Jp12W5dCsv+u8E7s3TmVToMG +f+dJQMjFAbJUWmYdPfz56TwKnoG4cPABi+QjVHzIrviQHgCWctRUz2EjvOr7nQKV0ba5cTppCD8P +tOFCx4j1P5iop7oc4HFx71hXgVB6XGt0Rg6DA5jDjqhu8nYybieDwnPz3BjotJPqdURrBGAgcVeH +nfO+oJAjPYok4doh28MCAwEAAaMzMDEwDwYDVR0TAQH/BAUwAwEB/zARBgNVHQ4ECgQISqCqWITT +XjwwCwYDVR0PBAQDAgEGMA0GCSqGSIb3DQEBBQUAA4IBAQBazof5FnIVV0sd2ZvnoiYw7JNn39Yt +0jSv9zilzqsWuasvfDXLrNAPtEwr/IDva4yRXzZ299uzGxnq9LIR/WFxRL8oszodv7ND6J+/3DEI +cbCdjdY0RzKQxmUk96BKfARzjzlvF4xytb1LyHr4e4PDKE6cCepnP7JnBBvDFNr450kkkdAdavph +Oe9r5yF1BgfYErQhIHBCcYHaPJo2vqZbDWpsmh+Re/n570K6Tk6ezAyNlNzZRZxe7EJQY670XcSx +EtzKO6gunRRaBXW37Ndj4ro1tgQIkejanZz2ZrUYrAqmVCY0M9IbwdR/GjqOC6oybtv8TyWf2TLH +llpwrN9M +-----END CERTIFICATE----- + +Staat der Nederlanden Root CA +============================= +-----BEGIN CERTIFICATE----- +MIIDujCCAqKgAwIBAgIEAJiWijANBgkqhkiG9w0BAQUFADBVMQswCQYDVQQGEwJOTDEeMBwGA1UE +ChMVU3RhYXQgZGVyIE5lZGVybGFuZGVuMSYwJAYDVQQDEx1TdGFhdCBkZXIgTmVkZXJsYW5kZW4g +Um9vdCBDQTAeFw0wMjEyMTcwOTIzNDlaFw0xNTEyMTYwOTE1MzhaMFUxCzAJBgNVBAYTAk5MMR4w +HAYDVQQKExVTdGFhdCBkZXIgTmVkZXJsYW5kZW4xJjAkBgNVBAMTHVN0YWF0IGRlciBOZWRlcmxh +bmRlbiBSb290IENBMIIBIjANBgkqhkiG9w0BAQEFAAOCAQ8AMIIBCgKCAQEAmNK1URF6gaYUmHFt +vsznExvWJw56s2oYHLZhWtVhCb/ekBPHZ+7d89rFDBKeNVU+LCeIQGv33N0iYfXCxw719tV2U02P +jLwYdjeFnejKScfST5gTCaI+Ioicf9byEGW07l8Y1Rfj+MX94p2i71MOhXeiD+EwR+4A5zN9RGca +C1Hoi6CeUJhoNFIfLm0B8mBF8jHrqTFoKbt6QZ7GGX+UtFE5A3+y3qcym7RHjm+0Sq7lr7HcsBth +vJly3uSJt3omXdozSVtSnA71iq3DuD3oBmrC1SoLbHuEvVYFy4ZlkuxEK7COudxwC0barbxjiDn6 +22r+I/q85Ej0ZytqERAhSQIDAQABo4GRMIGOMAwGA1UdEwQFMAMBAf8wTwYDVR0gBEgwRjBEBgRV +HSAAMDwwOgYIKwYBBQUHAgEWLmh0dHA6Ly93d3cucGtpb3ZlcmhlaWQubmwvcG9saWNpZXMvcm9v +dC1wb2xpY3kwDgYDVR0PAQH/BAQDAgEGMB0GA1UdDgQWBBSofeu8Y6R0E3QA7Jbg0zTBLL9s+DAN +BgkqhkiG9w0BAQUFAAOCAQEABYSHVXQ2YcG70dTGFagTtJ+k/rvuFbQvBgwp8qiSpGEN/KtcCFtR +EytNwiphyPgJWPwtArI5fZlmgb9uXJVFIGzmeafR2Bwp/MIgJ1HI8XxdNGdphREwxgDS1/PTfLbw +MVcoEoJz6TMvplW0C5GUR5z6u3pCMuiufi3IvKwUv9kP2Vv8wfl6leF9fpb8cbDCTMjfRTTJzg3y +nGQI0DvDKcWy7ZAEwbEpkcUwb8GpcjPM/l0WFywRaed+/sWDCN+83CI6LiBpIzlWYGeQiy52OfsR +iJf2fL1LuCAWZwWN4jvBcj+UlTfHXbme2JOhF4//DGYVwSR8MnwDHTuhWEUykw== +-----END CERTIFICATE----- + +TDC Internet Root CA +==================== +-----BEGIN CERTIFICATE----- +MIIEKzCCAxOgAwIBAgIEOsylTDANBgkqhkiG9w0BAQUFADBDMQswCQYDVQQGEwJESzEVMBMGA1UE +ChMMVERDIEludGVybmV0MR0wGwYDVQQLExRUREMgSW50ZXJuZXQgUm9vdCBDQTAeFw0wMTA0MDUx +NjMzMTdaFw0yMTA0MDUxNzAzMTdaMEMxCzAJBgNVBAYTAkRLMRUwEwYDVQQKEwxUREMgSW50ZXJu +ZXQxHTAbBgNVBAsTFFREQyBJbnRlcm5ldCBSb290IENBMIIBIjANBgkqhkiG9w0BAQEFAAOCAQ8A +MIIBCgKCAQEAxLhAvJHVYx/XmaCLDEAedLdInUaMArLgJF/wGROnN4NrXceO+YQwzho7+vvOi20j +xsNuZp+Jpd/gQlBn+h9sHvTQBda/ytZO5GhgbEaqHF1j4QeGDmUApy6mcca8uYGoOn0a0vnRrEvL +znWv3Hv6gXPU/Lq9QYjUdLP5Xjg6PEOo0pVOd20TDJ2PeAG3WiAfAzc14izbSysseLlJ28TQx5yc +5IogCSEWVmb/Bexb4/DPqyQkXsN/cHoSxNK1EKC2IeGNeGlVRGn1ypYcNIUXJXfi9i8nmHj9eQY6 +otZaQ8H/7AQ77hPv01ha/5Lr7K7a8jcDR0G2l8ktCkEiu7vmpwIDAQABo4IBJTCCASEwEQYJYIZI +AYb4QgEBBAQDAgAHMGUGA1UdHwReMFwwWqBYoFakVDBSMQswCQYDVQQGEwJESzEVMBMGA1UEChMM +VERDIEludGVybmV0MR0wGwYDVQQLExRUREMgSW50ZXJuZXQgUm9vdCBDQTENMAsGA1UEAxMEQ1JM +MTArBgNVHRAEJDAigA8yMDAxMDQwNTE2MzMxN1qBDzIwMjEwNDA1MTcwMzE3WjALBgNVHQ8EBAMC +AQYwHwYDVR0jBBgwFoAUbGQBx/2FbazI2p5QCIUItTxWqFAwHQYDVR0OBBYEFGxkAcf9hW2syNqe +UAiFCLU8VqhQMAwGA1UdEwQFMAMBAf8wHQYJKoZIhvZ9B0EABBAwDhsIVjUuMDo0LjADAgSQMA0G +CSqGSIb3DQEBBQUAA4IBAQBOQ8zR3R0QGwZ/t6T609lN+yOfI1Rb5osvBCiLtSdtiaHsmGnc540m +gwV5dOy0uaOXwTUA/RXaOYE6lTGQ3pfphqiZdwzlWqCE/xIWrG64jcN7ksKsLtB9KOy282A4aW8+ +2ARVPp7MVdK6/rtHBNcK2RYKNCn1WBPVT8+PVkuzHu7TmHnaCB4Mb7j4Fifvwm899qNLPg7kbWzb +O0ESm70NRyN/PErQr8Cv9u8btRXE64PECV90i9kR+8JWsTz4cMo0jUNAE4z9mQNUecYu6oah9jrU +Cbz0vGbMPVjQV0kK7iXiQe4T+Zs4NNEA9X7nlB38aQNiuJkFBT1reBK9sG9l +-----END CERTIFICATE----- + +TDC OCES Root CA +================ +-----BEGIN CERTIFICATE----- +MIIFGTCCBAGgAwIBAgIEPki9xDANBgkqhkiG9w0BAQUFADAxMQswCQYDVQQGEwJESzEMMAoGA1UE +ChMDVERDMRQwEgYDVQQDEwtUREMgT0NFUyBDQTAeFw0wMzAyMTEwODM5MzBaFw0zNzAyMTEwOTA5 +MzBaMDExCzAJBgNVBAYTAkRLMQwwCgYDVQQKEwNUREMxFDASBgNVBAMTC1REQyBPQ0VTIENBMIIB +IjANBgkqhkiG9w0BAQEFAAOCAQ8AMIIBCgKCAQEArGL2YSCyz8DGhdfjeebM7fI5kqSXLmSjhFuH +nEz9pPPEXyG9VhDr2y5h7JNp46PMvZnDBfwGuMo2HP6QjklMxFaaL1a8z3sM8W9Hpg1DTeLpHTk0 +zY0s2RKY+ePhwUp8hjjEqcRhiNJerxomTdXkoCJHhNlktxmW/OwZ5LKXJk5KTMuPJItUGBxIYXvV +iGjaXbXqzRowwYCDdlCqT9HU3Tjw7xb04QxQBr/q+3pJoSgrHPb8FTKjdGqPqcNiKXEx5TukYBde +dObaE+3pHx8b0bJoc8YQNHVGEBDjkAB2QMuLt0MJIf+rTpPGWOmlgtt3xDqZsXKVSQTwtyv6e1mO +3QIDAQABo4ICNzCCAjMwDwYDVR0TAQH/BAUwAwEB/zAOBgNVHQ8BAf8EBAMCAQYwgewGA1UdIASB +5DCB4TCB3gYIKoFQgSkBAQEwgdEwLwYIKwYBBQUHAgEWI2h0dHA6Ly93d3cuY2VydGlmaWthdC5k +ay9yZXBvc2l0b3J5MIGdBggrBgEFBQcCAjCBkDAKFgNUREMwAwIBARqBgUNlcnRpZmlrYXRlciBm +cmEgZGVubmUgQ0EgdWRzdGVkZXMgdW5kZXIgT0lEIDEuMi4yMDguMTY5LjEuMS4xLiBDZXJ0aWZp +Y2F0ZXMgZnJvbSB0aGlzIENBIGFyZSBpc3N1ZWQgdW5kZXIgT0lEIDEuMi4yMDguMTY5LjEuMS4x +LjARBglghkgBhvhCAQEEBAMCAAcwgYEGA1UdHwR6MHgwSKBGoESkQjBAMQswCQYDVQQGEwJESzEM +MAoGA1UEChMDVERDMRQwEgYDVQQDEwtUREMgT0NFUyBDQTENMAsGA1UEAxMEQ1JMMTAsoCqgKIYm +aHR0cDovL2NybC5vY2VzLmNlcnRpZmlrYXQuZGsvb2Nlcy5jcmwwKwYDVR0QBCQwIoAPMjAwMzAy +MTEwODM5MzBagQ8yMDM3MDIxMTA5MDkzMFowHwYDVR0jBBgwFoAUYLWF7FZkfhIZJ2cdUBVLc647 ++RIwHQYDVR0OBBYEFGC1hexWZH4SGSdnHVAVS3OuO/kSMB0GCSqGSIb2fQdBAAQQMA4bCFY2LjA6 +NC4wAwIEkDANBgkqhkiG9w0BAQUFAAOCAQEACromJkbTc6gJ82sLMJn9iuFXehHTuJTXCRBuo7E4 +A9G28kNBKWKnctj7fAXmMXAnVBhOinxO5dHKjHiIzxvTkIvmI/gLDjNDfZziChmPyQE+dF10yYsc +A+UYyAFMP8uXBV2YcaaYb7Z8vTd/vuGTJW1v8AqtFxjhA7wHKcitJuj4YfD9IQl+mo6paH1IYnK9 +AOoBmbgGglGBTvH1tJFUuSN6AJqfXY3gPGS5GhKSKseCRHI53OI8xthV9RVOyAUO28bQYqbsFbS1 +AoLbrIyigfCbmTH1ICCoiGEKB5+U/NDXG8wuF/MEJ3Zn61SD/aSQfgY9BKNDLdr8C2LqL19iUw== +-----END CERTIFICATE----- + +UTN DATACorp SGC Root CA +======================== +-----BEGIN CERTIFICATE----- +MIIEXjCCA0agAwIBAgIQRL4Mi1AAIbQR0ypoBqmtaTANBgkqhkiG9w0BAQUFADCBkzELMAkGA1UE +BhMCVVMxCzAJBgNVBAgTAlVUMRcwFQYDVQQHEw5TYWx0IExha2UgQ2l0eTEeMBwGA1UEChMVVGhl +IFVTRVJUUlVTVCBOZXR3b3JrMSEwHwYDVQQLExhodHRwOi8vd3d3LnVzZXJ0cnVzdC5jb20xGzAZ +BgNVBAMTElVUTiAtIERBVEFDb3JwIFNHQzAeFw05OTA2MjQxODU3MjFaFw0xOTA2MjQxOTA2MzBa +MIGTMQswCQYDVQQGEwJVUzELMAkGA1UECBMCVVQxFzAVBgNVBAcTDlNhbHQgTGFrZSBDaXR5MR4w +HAYDVQQKExVUaGUgVVNFUlRSVVNUIE5ldHdvcmsxITAfBgNVBAsTGGh0dHA6Ly93d3cudXNlcnRy +dXN0LmNvbTEbMBkGA1UEAxMSVVROIC0gREFUQUNvcnAgU0dDMIIBIjANBgkqhkiG9w0BAQEFAAOC +AQ8AMIIBCgKCAQEA3+5YEKIrblXEjr8uRgnn4AgPLit6E5Qbvfa2gI5lBZMAHryv4g+OGQ0SR+ys +raP6LnD43m77VkIVni5c7yPeIbkFdicZD0/Ww5y0vpQZY/KmEQrrU0icvvIpOxboGqBMpsn0GFlo +wHDyUwDAXlCCpVZvNvlK4ESGoE1O1kduSUrLZ9emxAW5jh70/P/N5zbgnAVssjMiFdC04MwXwLLA +9P4yPykqlXvY8qdOD1R8oQ2AswkDwf9c3V6aPryuvEeKaq5xyh+xKrhfQgUL7EYw0XILyulWbfXv +33i+Ybqypa4ETLyorGkVl73v67SMvzX41MPRKA5cOp9wGDMgd8SirwIDAQABo4GrMIGoMAsGA1Ud +DwQEAwIBxjAPBgNVHRMBAf8EBTADAQH/MB0GA1UdDgQWBBRTMtGzz3/64PGgXYVOktKeRR20TzA9 +BgNVHR8ENjA0MDKgMKAuhixodHRwOi8vY3JsLnVzZXJ0cnVzdC5jb20vVVROLURBVEFDb3JwU0dD +LmNybDAqBgNVHSUEIzAhBggrBgEFBQcDAQYKKwYBBAGCNwoDAwYJYIZIAYb4QgQBMA0GCSqGSIb3 +DQEBBQUAA4IBAQAnNZcAiosovcYzMB4p/OL31ZjUQLtgyr+rFywJNn9Q+kHcrpY6CiM+iVnJowft +Gzet/Hy+UUla3joKVAgWRcKZsYfNjGjgaQPpxE6YsjuMFrMOoAyYUJuTqXAJyCyjj98C5OBxOvG0 +I3KgqgHf35g+FFCgMSa9KOlaMCZ1+XtgHI3zzVAmbQQnmt/VDUVHKWss5nbZqSl9Mt3JNjy9rjXx +EZ4du5A/EkdOjtd+D2JzHVImOBwYSf0wdJrE5SIv2MCN7ZF6TACPcn9d2t0bi0Vr591pl6jFVkwP +DPafepE39peC4N1xaf92P2BNPM/3mfnGV/TJVTl4uix5yaaIK/QI +-----END CERTIFICATE----- + +UTN USERFirst Email Root CA +=========================== +-----BEGIN CERTIFICATE----- +MIIEojCCA4qgAwIBAgIQRL4Mi1AAJLQR0zYlJWfJiTANBgkqhkiG9w0BAQUFADCBrjELMAkGA1UE +BhMCVVMxCzAJBgNVBAgTAlVUMRcwFQYDVQQHEw5TYWx0IExha2UgQ2l0eTEeMBwGA1UEChMVVGhl +IFVTRVJUUlVTVCBOZXR3b3JrMSEwHwYDVQQLExhodHRwOi8vd3d3LnVzZXJ0cnVzdC5jb20xNjA0 +BgNVBAMTLVVUTi1VU0VSRmlyc3QtQ2xpZW50IEF1dGhlbnRpY2F0aW9uIGFuZCBFbWFpbDAeFw05 +OTA3MDkxNzI4NTBaFw0xOTA3MDkxNzM2NThaMIGuMQswCQYDVQQGEwJVUzELMAkGA1UECBMCVVQx +FzAVBgNVBAcTDlNhbHQgTGFrZSBDaXR5MR4wHAYDVQQKExVUaGUgVVNFUlRSVVNUIE5ldHdvcmsx +ITAfBgNVBAsTGGh0dHA6Ly93d3cudXNlcnRydXN0LmNvbTE2MDQGA1UEAxMtVVROLVVTRVJGaXJz +dC1DbGllbnQgQXV0aGVudGljYXRpb24gYW5kIEVtYWlsMIIBIjANBgkqhkiG9w0BAQEFAAOCAQ8A +MIIBCgKCAQEAsjmFpPJ9q0E7YkY3rs3BYHW8OWX5ShpHornMSMxqmNVNNRm5pELlzkniii8efNIx +B8dOtINknS4p1aJkxIW9hVE1eaROaJB7HHqkkqgX8pgV8pPMyaQylbsMTzC9mKALi+VuG6JG+ni8 +om+rWV6lL8/K2m2qL+usobNqqrcuZzWLeeEeaYji5kbNoKXqvgvOdjp6Dpvq/NonWz1zHyLmSGHG +TPNpsaguG7bUMSAsvIKKjqQOpdeJQ/wWWq8dcdcRWdq6hw2v+vPhwvCkxWeM1tZUOt4KpLoDd7Nl +yP0e03RiqhjKaJMeoYV+9Udly/hNVyh00jT/MLbu9mIwFIws6wIDAQABo4G5MIG2MAsGA1UdDwQE +AwIBxjAPBgNVHRMBAf8EBTADAQH/MB0GA1UdDgQWBBSJgmd9xJ0mcABLtFBIfN49rgRufTBYBgNV +HR8EUTBPME2gS6BJhkdodHRwOi8vY3JsLnVzZXJ0cnVzdC5jb20vVVROLVVTRVJGaXJzdC1DbGll +bnRBdXRoZW50aWNhdGlvbmFuZEVtYWlsLmNybDAdBgNVHSUEFjAUBggrBgEFBQcDAgYIKwYBBQUH +AwQwDQYJKoZIhvcNAQEFBQADggEBALFtYV2mGn98q0rkMPxTbyUkxsrt4jFcKw7u7mFVbwQ+zzne +xRtJlOTrIEy05p5QLnLZjfWqo7NK2lYcYJeA3IKirUq9iiv/Cwm0xtcgBEXkzYABurorbs6q15L+ +5K/r9CYdFip/bDCVNy8zEqx/3cfREYxRmLLQo5HQrfafnoOTHh1CuEava2bwm3/q4wMC5QJRwarV +NZ1yQAOJujEdxRBoUp7fooXFXAimeOZTT7Hot9MUnpOmw2TjrH5xzbyf6QMbzPvprDHBr3wVdAKZ +w7JHpsIyYdfHb0gkUSeh1YdV8nuPmD0Wnu51tvjQjvLzxq4oW6fw8zYX/MMF08oDSlQ= +-----END CERTIFICATE----- + +UTN USERFirst Hardware Root CA +============================== +-----BEGIN CERTIFICATE----- +MIIEdDCCA1ygAwIBAgIQRL4Mi1AAJLQR0zYq/mUK/TANBgkqhkiG9w0BAQUFADCBlzELMAkGA1UE +BhMCVVMxCzAJBgNVBAgTAlVUMRcwFQYDVQQHEw5TYWx0IExha2UgQ2l0eTEeMBwGA1UEChMVVGhl +IFVTRVJUUlVTVCBOZXR3b3JrMSEwHwYDVQQLExhodHRwOi8vd3d3LnVzZXJ0cnVzdC5jb20xHzAd +BgNVBAMTFlVUTi1VU0VSRmlyc3QtSGFyZHdhcmUwHhcNOTkwNzA5MTgxMDQyWhcNMTkwNzA5MTgx +OTIyWjCBlzELMAkGA1UEBhMCVVMxCzAJBgNVBAgTAlVUMRcwFQYDVQQHEw5TYWx0IExha2UgQ2l0 +eTEeMBwGA1UEChMVVGhlIFVTRVJUUlVTVCBOZXR3b3JrMSEwHwYDVQQLExhodHRwOi8vd3d3LnVz +ZXJ0cnVzdC5jb20xHzAdBgNVBAMTFlVUTi1VU0VSRmlyc3QtSGFyZHdhcmUwggEiMA0GCSqGSIb3 +DQEBAQUAA4IBDwAwggEKAoIBAQCx98M4P7Sof885glFn0G2f0v9Y8+efK+wNiVSZuTiZFvfgIXlI +wrthdBKWHTxqctU8EGc6Oe0rE81m65UJM6Rsl7HoxuzBdXmcRl6Nq9Bq/bkqVRcQVLMZ8Jr28bFd +tqdt++BxF2uiiPsA3/4aMXcMmgF6sTLjKwEHOG7DpV4jvEWbe1DByTCP2+UretNb+zNAHqDVmBe8 +i4fDidNdoI6yqqr2jmmIBsX6iSHzCJ1pLgkzmykNRg+MzEk0sGlRvfkGzWitZky8PqxhvQqIDsjf +Pe58BEydCl5rkdbux+0ojatNh4lz0G6k0B4WixThdkQDf2Os5M1JnMWS9KsyoUhbAgMBAAGjgbkw +gbYwCwYDVR0PBAQDAgHGMA8GA1UdEwEB/wQFMAMBAf8wHQYDVR0OBBYEFKFyXyYbKJhDlV0HN9WF +lp1L0sNFMEQGA1UdHwQ9MDswOaA3oDWGM2h0dHA6Ly9jcmwudXNlcnRydXN0LmNvbS9VVE4tVVNF +UkZpcnN0LUhhcmR3YXJlLmNybDAxBgNVHSUEKjAoBggrBgEFBQcDAQYIKwYBBQUHAwUGCCsGAQUF +BwMGBggrBgEFBQcDBzANBgkqhkiG9w0BAQUFAAOCAQEARxkP3nTGmZev/K0oXnWO6y1n7k57K9cM +//bey1WiCuFMVGWTYGufEpytXoMs61quwOQt9ABjHbjAbPLPSbtNk28GpgoiskliCE7/yMgUsogW +XecB5BKV5UU0s4tpvc+0hY91UZ59Ojg6FEgSxvunOxqNDYJAB+gECJChicsZUN/KHAG8HQQZexB2 +lzvukJDKxA4fFm517zP4029bHpbj4HR3dHuKom4t3XbWOTCC8KucUvIqx69JXn7HaOWCgchqJ/kn +iCrVWFCVH/A7HFe7fRQ5YiuayZSSKqMiDP+JJn1fIytH1xUdqWqeUQ0qUZ6B+dQ7XnASfxAynB67 +nfhmqA== +-----END CERTIFICATE----- + +UTN USERFirst Object Root CA +============================ +-----BEGIN CERTIFICATE----- +MIIEZjCCA06gAwIBAgIQRL4Mi1AAJLQR0zYt4LNfGzANBgkqhkiG9w0BAQUFADCBlTELMAkGA1UE +BhMCVVMxCzAJBgNVBAgTAlVUMRcwFQYDVQQHEw5TYWx0IExha2UgQ2l0eTEeMBwGA1UEChMVVGhl +IFVTRVJUUlVTVCBOZXR3b3JrMSEwHwYDVQQLExhodHRwOi8vd3d3LnVzZXJ0cnVzdC5jb20xHTAb +BgNVBAMTFFVUTi1VU0VSRmlyc3QtT2JqZWN0MB4XDTk5MDcwOTE4MzEyMFoXDTE5MDcwOTE4NDAz +NlowgZUxCzAJBgNVBAYTAlVTMQswCQYDVQQIEwJVVDEXMBUGA1UEBxMOU2FsdCBMYWtlIENpdHkx +HjAcBgNVBAoTFVRoZSBVU0VSVFJVU1QgTmV0d29yazEhMB8GA1UECxMYaHR0cDovL3d3dy51c2Vy +dHJ1c3QuY29tMR0wGwYDVQQDExRVVE4tVVNFUkZpcnN0LU9iamVjdDCCASIwDQYJKoZIhvcNAQEB +BQADggEPADCCAQoCggEBAM6qgT+jo2F4qjEAVZURnicPHxzfOpuCaDDASmEd8S8O+r5596Uj71VR +loTN2+O5bj4x2AogZ8f02b+U60cEPgLOKqJdhwQJ9jCdGIqXsqoc/EHSoTbL+z2RuufZcDX65OeQ +w5ujm9M89RKZd7G3CeBo5hy485RjiGpq/gt2yb70IuRnuasaXnfBhQfdDWy/7gbHd2pBnqcP1/vu +lBe3/IW+pKvEHDHd17bR5PDv3xaPslKT16HUiaEHLr/hARJCHhrh2JU022R5KP+6LhHC5ehbkkj7 +RwvCbNqtMoNB86XlQXD9ZZBt+vpRxPm9lisZBCzTbafc8H9vg2XiaquHhnUCAwEAAaOBrzCBrDAL +BgNVHQ8EBAMCAcYwDwYDVR0TAQH/BAUwAwEB/zAdBgNVHQ4EFgQU2u1kdBScFDyr3ZmpvVsoTYs8 +ydgwQgYDVR0fBDswOTA3oDWgM4YxaHR0cDovL2NybC51c2VydHJ1c3QuY29tL1VUTi1VU0VSRmly +c3QtT2JqZWN0LmNybDApBgNVHSUEIjAgBggrBgEFBQcDAwYIKwYBBQUHAwgGCisGAQQBgjcKAwQw +DQYJKoZIhvcNAQEFBQADggEBAAgfUrE3RHjb/c652pWWmKpVZIC1WkDdIaXFwfNfLEzIR1pp6ujw +NTX00CXzyKakh0q9G7FzCL3Uw8q2NbtZhncxzaeAFK4T7/yxSPlrJSUtUbYsbUXBmMiKVl0+7kNO +PmsnjtA6S4ULX9Ptaqd1y9Fahy85dRNacrACgZ++8A+EVCBibGnU4U3GDZlDAQ0Slox4nb9QorFE +qmrPF3rPbw/U+CRVX/A0FklmPlBGyWNxODFiuGK581OtbLUrohKqGU8J2l7nk8aOFAj+8DCAGKCG +hU3IfdeLA/5u1fedFqySLKAj5ZyRUh+U3xeUc8OzwcFxBSAAeL0TUh2oPs0AH8g= +-----END CERTIFICATE----- + +Camerfirma Chambers of Commerce Root +==================================== +-----BEGIN CERTIFICATE----- +MIIEvTCCA6WgAwIBAgIBADANBgkqhkiG9w0BAQUFADB/MQswCQYDVQQGEwJFVTEnMCUGA1UEChMe +QUMgQ2FtZXJmaXJtYSBTQSBDSUYgQTgyNzQzMjg3MSMwIQYDVQQLExpodHRwOi8vd3d3LmNoYW1i +ZXJzaWduLm9yZzEiMCAGA1UEAxMZQ2hhbWJlcnMgb2YgQ29tbWVyY2UgUm9vdDAeFw0wMzA5MzAx +NjEzNDNaFw0zNzA5MzAxNjEzNDRaMH8xCzAJBgNVBAYTAkVVMScwJQYDVQQKEx5BQyBDYW1lcmZp +cm1hIFNBIENJRiBBODI3NDMyODcxIzAhBgNVBAsTGmh0dHA6Ly93d3cuY2hhbWJlcnNpZ24ub3Jn +MSIwIAYDVQQDExlDaGFtYmVycyBvZiBDb21tZXJjZSBSb290MIIBIDANBgkqhkiG9w0BAQEFAAOC +AQ0AMIIBCAKCAQEAtzZV5aVdGDDg2olUkfzIx1L4L1DZ77F1c2VHfRtbunXF/KGIJPov7coISjlU +xFF6tdpg6jg8gbLL8bvZkSM/SAFwdakFKq0fcfPJVD0dBmpAPrMMhe5cG3nCYsS4No41XQEMIwRH +NaqbYE6gZj3LJgqcQKH0XZi/caulAGgq7YN6D6IUtdQis4CwPAxaUWktWBiP7Zme8a7ileb2R6jW +DA+wWFjbw2Y3npuRVDM30pQcakjJyfKl2qUMI/cjDpwyVV5xnIQFUZot/eZOKjRa3spAN2cMVCFV +d9oKDMyXroDclDZK9D7ONhMeU+SsTjoF7Nuucpw4i9A5O4kKPnf+dQIBA6OCAUQwggFAMBIGA1Ud +EwEB/wQIMAYBAf8CAQwwPAYDVR0fBDUwMzAxoC+gLYYraHR0cDovL2NybC5jaGFtYmVyc2lnbi5v +cmcvY2hhbWJlcnNyb290LmNybDAdBgNVHQ4EFgQU45T1sU3p26EpW1eLTXYGduHRooowDgYDVR0P +AQH/BAQDAgEGMBEGCWCGSAGG+EIBAQQEAwIABzAnBgNVHREEIDAegRxjaGFtYmVyc3Jvb3RAY2hh +bWJlcnNpZ24ub3JnMCcGA1UdEgQgMB6BHGNoYW1iZXJzcm9vdEBjaGFtYmVyc2lnbi5vcmcwWAYD +VR0gBFEwTzBNBgsrBgEEAYGHLgoDATA+MDwGCCsGAQUFBwIBFjBodHRwOi8vY3BzLmNoYW1iZXJz +aWduLm9yZy9jcHMvY2hhbWJlcnNyb290Lmh0bWwwDQYJKoZIhvcNAQEFBQADggEBAAxBl8IahsAi +fJ/7kPMa0QOx7xP5IV8EnNrJpY0nbJaHkb5BkAFyk+cefV/2icZdp0AJPaxJRUXcLo0waLIJuvvD +L8y6C98/d3tGfToSJI6WjzwFCm/SlCgdbQzALogi1djPHRPH8EjX1wWnz8dHnjs8NMiAT9QUu/wN +UPf6s+xCX6ndbcj0dc97wXImsQEcXCz9ek60AcUFV7nnPKoF2YjpB0ZBzu9Bga5Y34OirsrXdx/n +ADydb47kMgkdTXg0eDQ8lJsm7U9xxhl6vSAiSFr+S30Dt+dYvsYyTnQeaN2oaFuzPu5ifdmA6Ap1 +erfutGWaIZDgqtCYvDi1czyL+Nw= +-----END CERTIFICATE----- + +Camerfirma Global Chambersign Root +================================== +-----BEGIN CERTIFICATE----- +MIIExTCCA62gAwIBAgIBADANBgkqhkiG9w0BAQUFADB9MQswCQYDVQQGEwJFVTEnMCUGA1UEChMe +QUMgQ2FtZXJmaXJtYSBTQSBDSUYgQTgyNzQzMjg3MSMwIQYDVQQLExpodHRwOi8vd3d3LmNoYW1i +ZXJzaWduLm9yZzEgMB4GA1UEAxMXR2xvYmFsIENoYW1iZXJzaWduIFJvb3QwHhcNMDMwOTMwMTYx +NDE4WhcNMzcwOTMwMTYxNDE4WjB9MQswCQYDVQQGEwJFVTEnMCUGA1UEChMeQUMgQ2FtZXJmaXJt +YSBTQSBDSUYgQTgyNzQzMjg3MSMwIQYDVQQLExpodHRwOi8vd3d3LmNoYW1iZXJzaWduLm9yZzEg +MB4GA1UEAxMXR2xvYmFsIENoYW1iZXJzaWduIFJvb3QwggEgMA0GCSqGSIb3DQEBAQUAA4IBDQAw +ggEIAoIBAQCicKLQn0KuWxfH2H3PFIP8T8mhtxOviteePgQKkotgVvq0Mi+ITaFgCPS3CU6gSS9J +1tPfnZdan5QEcOw/Wdm3zGaLmFIoCQLfxS+EjXqXd7/sQJ0lcqu1PzKY+7e3/HKE5TWH+VX6ox8O +by4o3Wmg2UIQxvi1RMLQQ3/bvOSiPGpVeAp3qdjqGTK3L/5cPxvusZjsyq16aUXjlg9V9ubtdepl +6DJWk0aJqCWKZQbua795B9Dxt6/tLE2Su8CoX6dnfQTyFQhwrJLWfQTSM/tMtgsL+xrJxI0DqX5c +8lCrEqWhz0hQpe/SyBoT+rB/sYIcd2oPX9wLlY/vQ37mRQklAgEDo4IBUDCCAUwwEgYDVR0TAQH/ +BAgwBgEB/wIBDDA/BgNVHR8EODA2MDSgMqAwhi5odHRwOi8vY3JsLmNoYW1iZXJzaWduLm9yZy9j +aGFtYmVyc2lnbnJvb3QuY3JsMB0GA1UdDgQWBBRDnDafsJ4wTcbOX60Qq+UDpfqpFDAOBgNVHQ8B +Af8EBAMCAQYwEQYJYIZIAYb4QgEBBAQDAgAHMCoGA1UdEQQjMCGBH2NoYW1iZXJzaWducm9vdEBj +aGFtYmVyc2lnbi5vcmcwKgYDVR0SBCMwIYEfY2hhbWJlcnNpZ25yb290QGNoYW1iZXJzaWduLm9y +ZzBbBgNVHSAEVDBSMFAGCysGAQQBgYcuCgEBMEEwPwYIKwYBBQUHAgEWM2h0dHA6Ly9jcHMuY2hh +bWJlcnNpZ24ub3JnL2Nwcy9jaGFtYmVyc2lnbnJvb3QuaHRtbDANBgkqhkiG9w0BAQUFAAOCAQEA +PDtwkfkEVCeR4e3t/mh/YV3lQWVPMvEYBZRqHN4fcNs+ezICNLUMbKGKfKX0j//U2K0X1S0E0T9Y +gOKBWYi+wONGkyT+kL0mojAt6JcmVzWJdJYY9hXiryQZVgICsroPFOrGimbBhkVVi76SvpykBMdJ +PJ7oKXqJ1/6v/2j1pReQvayZzKWGVwlnRtvWFsJG8eSpUPWP0ZIV018+xgBJOm5YstHRJw0lyDL4 +IBHNfTIzSJRUTN3cecQwn+uOuFW114hcxWokPbLTBQNRxgfvzBRydD1ucs4YKIxKoHflCStFREes +t2d/AYoFWpO+ocH/+OcOZ6RHSXZddZAa9SaP8A== +-----END CERTIFICATE----- + +NetLock Qualified (Class QA) Root +================================= +-----BEGIN CERTIFICATE----- +MIIG0TCCBbmgAwIBAgIBezANBgkqhkiG9w0BAQUFADCByTELMAkGA1UEBhMCSFUxETAPBgNVBAcT +CEJ1ZGFwZXN0MScwJQYDVQQKEx5OZXRMb2NrIEhhbG96YXRiaXp0b25zYWdpIEtmdC4xGjAYBgNV +BAsTEVRhbnVzaXR2YW55a2lhZG9rMUIwQAYDVQQDEzlOZXRMb2NrIE1pbm9zaXRldHQgS296amVn +eXpvaSAoQ2xhc3MgUUEpIFRhbnVzaXR2YW55a2lhZG8xHjAcBgkqhkiG9w0BCQEWD2luZm9AbmV0 +bG9jay5odTAeFw0wMzAzMzAwMTQ3MTFaFw0yMjEyMTUwMTQ3MTFaMIHJMQswCQYDVQQGEwJIVTER +MA8GA1UEBxMIQnVkYXBlc3QxJzAlBgNVBAoTHk5ldExvY2sgSGFsb3phdGJpenRvbnNhZ2kgS2Z0 +LjEaMBgGA1UECxMRVGFudXNpdHZhbnlraWFkb2sxQjBABgNVBAMTOU5ldExvY2sgTWlub3NpdGV0 +dCBLb3pqZWd5em9pIChDbGFzcyBRQSkgVGFudXNpdHZhbnlraWFkbzEeMBwGCSqGSIb3DQEJARYP +aW5mb0BuZXRsb2NrLmh1MIIBIjANBgkqhkiG9w0BAQEFAAOCAQ8AMIIBCgKCAQEAx1Ilstg91IRV +CacbvWy5FPSKAtt2/GoqeKvld/Bu4IwjZ9ulZJm53QE+b+8tmjwi8F3JV6BVQX/yQ15YglMxZc4e +8ia6AFQer7C8HORSjKAyr7c3sVNnaHRnUPYtLmTeriZ539+Zhqurf4XsoPuAzPS4DB6TRWO53Lhb +m+1bOdRfYrCnjnxmOCyqsQhjF2d9zL2z8cM/z1A57dEZgxXbhxInlrfa6uWdvLrqOU+L73Sa58XQ +0uqGURzk/mQIKAR5BevKxXEOC++r6uwSEaEYBTJp0QwsGj0lmT+1fMptsK6ZmfoIYOcZwvK9UdPM +0wKswREMgM6r3JSda6M5UzrWhQIDAMV9o4ICwDCCArwwEgYDVR0TAQH/BAgwBgEB/wIBBDAOBgNV +HQ8BAf8EBAMCAQYwggJ1BglghkgBhvhCAQ0EggJmFoICYkZJR1lFTEVNISBFemVuIHRhbnVzaXR2 +YW55IGEgTmV0TG9jayBLZnQuIE1pbm9zaXRldHQgU3pvbGdhbHRhdGFzaSBTemFiYWx5emF0YWJh +biBsZWlydCBlbGphcmFzb2sgYWxhcGphbiBrZXN6dWx0LiBBIG1pbm9zaXRldHQgZWxla3Ryb25p +a3VzIGFsYWlyYXMgam9naGF0YXMgZXJ2ZW55ZXN1bGVzZW5laywgdmFsYW1pbnQgZWxmb2dhZGFz +YW5hayBmZWx0ZXRlbGUgYSBNaW5vc2l0ZXR0IFN6b2xnYWx0YXRhc2kgU3phYmFseXphdGJhbiwg +YXogQWx0YWxhbm9zIFN6ZXJ6b2Rlc2kgRmVsdGV0ZWxla2JlbiBlbG9pcnQgZWxsZW5vcnplc2kg +ZWxqYXJhcyBtZWd0ZXRlbGUuIEEgZG9rdW1lbnR1bW9rIG1lZ3RhbGFsaGF0b2sgYSBodHRwczov +L3d3dy5uZXRsb2NrLmh1L2RvY3MvIGNpbWVuIHZhZ3kga2VyaGV0b2sgYXogaW5mb0BuZXRsb2Nr +Lm5ldCBlLW1haWwgY2ltZW4uIFdBUk5JTkchIFRoZSBpc3N1YW5jZSBhbmQgdGhlIHVzZSBvZiB0 +aGlzIGNlcnRpZmljYXRlIGFyZSBzdWJqZWN0IHRvIHRoZSBOZXRMb2NrIFF1YWxpZmllZCBDUFMg +YXZhaWxhYmxlIGF0IGh0dHBzOi8vd3d3Lm5ldGxvY2suaHUvZG9jcy8gb3IgYnkgZS1tYWlsIGF0 +IGluZm9AbmV0bG9jay5uZXQwHQYDVR0OBBYEFAlqYhaSsFq7VQ7LdTI6MuWyIckoMA0GCSqGSIb3 +DQEBBQUAA4IBAQCRalCc23iBmz+LQuM7/KbD7kPgz/PigDVJRXYC4uMvBcXxKufAQTPGtpvQMznN +wNuhrWw3AkxYQTvyl5LGSKjN5Yo5iWH5Upfpvfb5lHTocQ68d4bDBsxafEp+NFAwLvt/MpqNPfMg +W/hqyobzMUwsWYACff44yTB1HLdV47yfuqhthCgFdbOLDcCRVCHnpgu0mfVRQdzNo0ci2ccBgcTc +R08m6h/t280NmPSjnLRzMkqWmf68f8glWPhY83ZmiVSkpj7EUFy6iRiCdUgh0k8T6GB+B3bbELVR +5qq5aKrN9p2QdRLqOBrKROi3macqaJVmlaut74nLYKkGEsaUR+ko +-----END CERTIFICATE----- + +NetLock Notary (Class A) Root +============================= +-----BEGIN CERTIFICATE----- +MIIGfTCCBWWgAwIBAgICAQMwDQYJKoZIhvcNAQEEBQAwga8xCzAJBgNVBAYTAkhVMRAwDgYDVQQI +EwdIdW5nYXJ5MREwDwYDVQQHEwhCdWRhcGVzdDEnMCUGA1UEChMeTmV0TG9jayBIYWxvemF0Yml6 +dG9uc2FnaSBLZnQuMRowGAYDVQQLExFUYW51c2l0dmFueWtpYWRvazE2MDQGA1UEAxMtTmV0TG9j +ayBLb3pqZWd5em9pIChDbGFzcyBBKSBUYW51c2l0dmFueWtpYWRvMB4XDTk5MDIyNDIzMTQ0N1oX +DTE5MDIxOTIzMTQ0N1owga8xCzAJBgNVBAYTAkhVMRAwDgYDVQQIEwdIdW5nYXJ5MREwDwYDVQQH +EwhCdWRhcGVzdDEnMCUGA1UEChMeTmV0TG9jayBIYWxvemF0Yml6dG9uc2FnaSBLZnQuMRowGAYD +VQQLExFUYW51c2l0dmFueWtpYWRvazE2MDQGA1UEAxMtTmV0TG9jayBLb3pqZWd5em9pIChDbGFz +cyBBKSBUYW51c2l0dmFueWtpYWRvMIIBIjANBgkqhkiG9w0BAQEFAAOCAQ8AMIIBCgKCAQEAvHSM +D7tM9DceqQWC2ObhbHDqeLVu0ThEDaiDzl3S1tWBxdRL51uUcCbbO51qTGL3cfNk1mE7PetzozfZ +z+qMkjvN9wfcZnSX9EUi3fRc4L9t875lM+QVOr/bmJBVOMTtplVjC7B4BPTjbsE/jvxReB+SnoPC +/tmwqcm8WgD/qaiYdPv2LD4VOQ22BFWoDpggQrOxJa1+mm9dU7GrDPzr4PN6s6iz/0b2Y6LYOph7 +tqyF/7AlT3Rj5xMHpQqPBffAZG9+pyeAlt7ULoZgx2srXnN7F+eRP2QM2EsiNCubMvJIH5+hCoR6 +4sKtlz2O1cH5VqNQ6ca0+pii7pXmKgOM3wIDAQABo4ICnzCCApswDgYDVR0PAQH/BAQDAgAGMBIG +A1UdEwEB/wQIMAYBAf8CAQQwEQYJYIZIAYb4QgEBBAQDAgAHMIICYAYJYIZIAYb4QgENBIICURaC +Ak1GSUdZRUxFTSEgRXplbiB0YW51c2l0dmFueSBhIE5ldExvY2sgS2Z0LiBBbHRhbGFub3MgU3pv +bGdhbHRhdGFzaSBGZWx0ZXRlbGVpYmVuIGxlaXJ0IGVsamFyYXNvayBhbGFwamFuIGtlc3p1bHQu +IEEgaGl0ZWxlc2l0ZXMgZm9seWFtYXRhdCBhIE5ldExvY2sgS2Z0LiB0ZXJtZWtmZWxlbG9zc2Vn +LWJpenRvc2l0YXNhIHZlZGkuIEEgZGlnaXRhbGlzIGFsYWlyYXMgZWxmb2dhZGFzYW5hayBmZWx0 +ZXRlbGUgYXogZWxvaXJ0IGVsbGVub3J6ZXNpIGVsamFyYXMgbWVndGV0ZWxlLiBBeiBlbGphcmFz +IGxlaXJhc2EgbWVndGFsYWxoYXRvIGEgTmV0TG9jayBLZnQuIEludGVybmV0IGhvbmxhcGphbiBh +IGh0dHBzOi8vd3d3Lm5ldGxvY2submV0L2RvY3MgY2ltZW4gdmFneSBrZXJoZXRvIGF6IGVsbGVu +b3J6ZXNAbmV0bG9jay5uZXQgZS1tYWlsIGNpbWVuLiBJTVBPUlRBTlQhIFRoZSBpc3N1YW5jZSBh +bmQgdGhlIHVzZSBvZiB0aGlzIGNlcnRpZmljYXRlIGlzIHN1YmplY3QgdG8gdGhlIE5ldExvY2sg +Q1BTIGF2YWlsYWJsZSBhdCBodHRwczovL3d3dy5uZXRsb2NrLm5ldC9kb2NzIG9yIGJ5IGUtbWFp +bCBhdCBjcHNAbmV0bG9jay5uZXQuMA0GCSqGSIb3DQEBBAUAA4IBAQBIJEb3ulZv+sgoA0BO5TE5 +ayZrU3/b39/zcT0mwBQOxmd7I6gMc90Bu8bKbjc5VdXHjFYgDigKDtIqpLBJUsY4B/6+CgmM0ZjP +ytoUMaFP0jn8DxEsQ8Pdq5PHVT5HfBgaANzze9jyf1JsIPQLX2lS9O74silg6+NJMSEN1rUQQeJB +CWziGppWS3cC9qCbmieH6FUpccKQn0V4GuEVZD3QDtigdp+uxdAu6tYPVuxkf1qbFFgBJ34TUMdr +KuZoPL9coAob4Q566eKAw+np9v1sEZ7Q5SgnK1QyQhSCdeZK8CtmdWOMovsEPoMOmzbwGOQmIMOM +8CgHrTwXZoi1/baI +-----END CERTIFICATE----- + +NetLock Business (Class B) Root +=============================== +-----BEGIN CERTIFICATE----- +MIIFSzCCBLSgAwIBAgIBaTANBgkqhkiG9w0BAQQFADCBmTELMAkGA1UEBhMCSFUxETAPBgNVBAcT +CEJ1ZGFwZXN0MScwJQYDVQQKEx5OZXRMb2NrIEhhbG96YXRiaXp0b25zYWdpIEtmdC4xGjAYBgNV +BAsTEVRhbnVzaXR2YW55a2lhZG9rMTIwMAYDVQQDEylOZXRMb2NrIFV6bGV0aSAoQ2xhc3MgQikg +VGFudXNpdHZhbnlraWFkbzAeFw05OTAyMjUxNDEwMjJaFw0xOTAyMjAxNDEwMjJaMIGZMQswCQYD +VQQGEwJIVTERMA8GA1UEBxMIQnVkYXBlc3QxJzAlBgNVBAoTHk5ldExvY2sgSGFsb3phdGJpenRv +bnNhZ2kgS2Z0LjEaMBgGA1UECxMRVGFudXNpdHZhbnlraWFkb2sxMjAwBgNVBAMTKU5ldExvY2sg +VXpsZXRpIChDbGFzcyBCKSBUYW51c2l0dmFueWtpYWRvMIGfMA0GCSqGSIb3DQEBAQUAA4GNADCB +iQKBgQCx6gTsIKAjwo84YM/HRrPVG/77uZmeBNwcf4xKgZjupNTKihe5In+DCnVMm8Bp2GQ5o+2S +o/1bXHQawEfKOml2mrriRBf8TKPV/riXiK+IA4kfpPIEPsgHC+b5sy96YhQJRhTKZPWLgLViqNhr +1nGTLbO/CVRY7QbrqHvcQ7GhaQIDAQABo4ICnzCCApswEgYDVR0TAQH/BAgwBgEB/wIBBDAOBgNV +HQ8BAf8EBAMCAAYwEQYJYIZIAYb4QgEBBAQDAgAHMIICYAYJYIZIAYb4QgENBIICURaCAk1GSUdZ +RUxFTSEgRXplbiB0YW51c2l0dmFueSBhIE5ldExvY2sgS2Z0LiBBbHRhbGFub3MgU3pvbGdhbHRh +dGFzaSBGZWx0ZXRlbGVpYmVuIGxlaXJ0IGVsamFyYXNvayBhbGFwamFuIGtlc3p1bHQuIEEgaGl0 +ZWxlc2l0ZXMgZm9seWFtYXRhdCBhIE5ldExvY2sgS2Z0LiB0ZXJtZWtmZWxlbG9zc2VnLWJpenRv +c2l0YXNhIHZlZGkuIEEgZGlnaXRhbGlzIGFsYWlyYXMgZWxmb2dhZGFzYW5hayBmZWx0ZXRlbGUg +YXogZWxvaXJ0IGVsbGVub3J6ZXNpIGVsamFyYXMgbWVndGV0ZWxlLiBBeiBlbGphcmFzIGxlaXJh +c2EgbWVndGFsYWxoYXRvIGEgTmV0TG9jayBLZnQuIEludGVybmV0IGhvbmxhcGphbiBhIGh0dHBz +Oi8vd3d3Lm5ldGxvY2submV0L2RvY3MgY2ltZW4gdmFneSBrZXJoZXRvIGF6IGVsbGVub3J6ZXNA +bmV0bG9jay5uZXQgZS1tYWlsIGNpbWVuLiBJTVBPUlRBTlQhIFRoZSBpc3N1YW5jZSBhbmQgdGhl +IHVzZSBvZiB0aGlzIGNlcnRpZmljYXRlIGlzIHN1YmplY3QgdG8gdGhlIE5ldExvY2sgQ1BTIGF2 +YWlsYWJsZSBhdCBodHRwczovL3d3dy5uZXRsb2NrLm5ldC9kb2NzIG9yIGJ5IGUtbWFpbCBhdCBj +cHNAbmV0bG9jay5uZXQuMA0GCSqGSIb3DQEBBAUAA4GBAATbrowXr/gOkDFOzT4JwG06sPgzTEdM +43WIEJessDgVkcYplswhwG08pXTP2IKlOcNl40JwuyKQ433bNXbhoLXan3BukxowOR0w2y7jfLKR +stE3Kfq51hdcR0/jHTjrn9V7lagonhVK0dHQKwCXoOKSNitjrFgBazMpUIaD8QFI +-----END CERTIFICATE----- + +NetLock Express (Class C) Root +============================== +-----BEGIN CERTIFICATE----- +MIIFTzCCBLigAwIBAgIBaDANBgkqhkiG9w0BAQQFADCBmzELMAkGA1UEBhMCSFUxETAPBgNVBAcT +CEJ1ZGFwZXN0MScwJQYDVQQKEx5OZXRMb2NrIEhhbG96YXRiaXp0b25zYWdpIEtmdC4xGjAYBgNV +BAsTEVRhbnVzaXR2YW55a2lhZG9rMTQwMgYDVQQDEytOZXRMb2NrIEV4cHJlc3N6IChDbGFzcyBD +KSBUYW51c2l0dmFueWtpYWRvMB4XDTk5MDIyNTE0MDgxMVoXDTE5MDIyMDE0MDgxMVowgZsxCzAJ +BgNVBAYTAkhVMREwDwYDVQQHEwhCdWRhcGVzdDEnMCUGA1UEChMeTmV0TG9jayBIYWxvemF0Yml6 +dG9uc2FnaSBLZnQuMRowGAYDVQQLExFUYW51c2l0dmFueWtpYWRvazE0MDIGA1UEAxMrTmV0TG9j +ayBFeHByZXNzeiAoQ2xhc3MgQykgVGFudXNpdHZhbnlraWFkbzCBnzANBgkqhkiG9w0BAQEFAAOB +jQAwgYkCgYEA6+ywbGGKIyWvYCDj2Z/8kwvbXY2wobNAOoLO/XXgeDIDhlqGlZHtU/qdQPzm6N3Z +W3oDvV3zOwzDUXmbrVWg6dADEK8KuhRC2VImESLH0iDMgqSaqf64gXadarfSNnU+sYYJ9m5tfk63 +euyucYT2BDMIJTLrdKwWRMbkQJMdf60CAwEAAaOCAp8wggKbMBIGA1UdEwEB/wQIMAYBAf8CAQQw +DgYDVR0PAQH/BAQDAgAGMBEGCWCGSAGG+EIBAQQEAwIABzCCAmAGCWCGSAGG+EIBDQSCAlEWggJN +RklHWUVMRU0hIEV6ZW4gdGFudXNpdHZhbnkgYSBOZXRMb2NrIEtmdC4gQWx0YWxhbm9zIFN6b2xn +YWx0YXRhc2kgRmVsdGV0ZWxlaWJlbiBsZWlydCBlbGphcmFzb2sgYWxhcGphbiBrZXN6dWx0LiBB +IGhpdGVsZXNpdGVzIGZvbHlhbWF0YXQgYSBOZXRMb2NrIEtmdC4gdGVybWVrZmVsZWxvc3NlZy1i +aXp0b3NpdGFzYSB2ZWRpLiBBIGRpZ2l0YWxpcyBhbGFpcmFzIGVsZm9nYWRhc2FuYWsgZmVsdGV0 +ZWxlIGF6IGVsb2lydCBlbGxlbm9yemVzaSBlbGphcmFzIG1lZ3RldGVsZS4gQXogZWxqYXJhcyBs +ZWlyYXNhIG1lZ3RhbGFsaGF0byBhIE5ldExvY2sgS2Z0LiBJbnRlcm5ldCBob25sYXBqYW4gYSBo +dHRwczovL3d3dy5uZXRsb2NrLm5ldC9kb2NzIGNpbWVuIHZhZ3kga2VyaGV0byBheiBlbGxlbm9y +emVzQG5ldGxvY2submV0IGUtbWFpbCBjaW1lbi4gSU1QT1JUQU5UISBUaGUgaXNzdWFuY2UgYW5k +IHRoZSB1c2Ugb2YgdGhpcyBjZXJ0aWZpY2F0ZSBpcyBzdWJqZWN0IHRvIHRoZSBOZXRMb2NrIENQ +UyBhdmFpbGFibGUgYXQgaHR0cHM6Ly93d3cubmV0bG9jay5uZXQvZG9jcyBvciBieSBlLW1haWwg +YXQgY3BzQG5ldGxvY2submV0LjANBgkqhkiG9w0BAQQFAAOBgQAQrX/XDDKACtiG8XmYta3UzbM2 +xJZIwVzNmtkFLp++UOv0JhQQLdRmF/iewSf98e3ke0ugbLWrmldwpu2gpO0u9f38vf5NNwgMvOOW +gyL1SRt/Syu0VMGAfJlOHdCM7tCs5ZL6dVb+ZKATj7i4Fp1hBWeAyNDYpQcCNJgEjTME1A== +-----END CERTIFICATE----- + +XRamp Global CA Root +==================== +-----BEGIN CERTIFICATE----- +MIIEMDCCAxigAwIBAgIQUJRs7Bjq1ZxN1ZfvdY+grTANBgkqhkiG9w0BAQUFADCBgjELMAkGA1UE +BhMCVVMxHjAcBgNVBAsTFXd3dy54cmFtcHNlY3VyaXR5LmNvbTEkMCIGA1UEChMbWFJhbXAgU2Vj +dXJpdHkgU2VydmljZXMgSW5jMS0wKwYDVQQDEyRYUmFtcCBHbG9iYWwgQ2VydGlmaWNhdGlvbiBB +dXRob3JpdHkwHhcNMDQxMTAxMTcxNDA0WhcNMzUwMTAxMDUzNzE5WjCBgjELMAkGA1UEBhMCVVMx +HjAcBgNVBAsTFXd3dy54cmFtcHNlY3VyaXR5LmNvbTEkMCIGA1UEChMbWFJhbXAgU2VjdXJpdHkg +U2VydmljZXMgSW5jMS0wKwYDVQQDEyRYUmFtcCBHbG9iYWwgQ2VydGlmaWNhdGlvbiBBdXRob3Jp +dHkwggEiMA0GCSqGSIb3DQEBAQUAA4IBDwAwggEKAoIBAQCYJB69FbS638eMpSe2OAtp87ZOqCwu +IR1cRN8hXX4jdP5efrRKt6atH67gBhbim1vZZ3RrXYCPKZ2GG9mcDZhtdhAoWORlsH9KmHmf4MMx +foArtYzAQDsRhtDLooY2YKTVMIJt2W7QDxIEM5dfT2Fa8OT5kavnHTu86M/0ay00fOJIYRyO82FE +zG+gSqmUsE3a56k0enI4qEHMPJQRfevIpoy3hsvKMzvZPTeL+3o+hiznc9cKV6xkmxnr9A8ECIqs +AxcZZPRaJSKNNCyy9mgdEm3Tih4U2sSPpuIjhdV6Db1q4Ons7Be7QhtnqiXtRYMh/MHJfNViPvry +xS3T/dRlAgMBAAGjgZ8wgZwwEwYJKwYBBAGCNxQCBAYeBABDAEEwCwYDVR0PBAQDAgGGMA8GA1Ud +EwEB/wQFMAMBAf8wHQYDVR0OBBYEFMZPoj0GY4QJnM5i5ASsjVy16bYbMDYGA1UdHwQvMC0wK6Ap +oCeGJWh0dHA6Ly9jcmwueHJhbXBzZWN1cml0eS5jb20vWEdDQS5jcmwwEAYJKwYBBAGCNxUBBAMC +AQEwDQYJKoZIhvcNAQEFBQADggEBAJEVOQMBG2f7Shz5CmBbodpNl2L5JFMn14JkTpAuw0kbK5rc +/Kh4ZzXxHfARvbdI4xD2Dd8/0sm2qlWkSLoC295ZLhVbO50WfUfXN+pfTXYSNrsf16GBBEYgoyxt +qZ4Bfj8pzgCT3/3JknOJiWSe5yvkHJEs0rnOfc5vMZnT5r7SHpDwCRR5XCOrTdLaIR9NmXmd4c8n +nxCbHIgNsIpkQTG4DmyQJKSbXHGPurt+HBvbaoAPIbzp26a3QPSyi6mx5O+aGtA9aZnuqCij4Tyz +8LIRnM98QObd50N9otg6tamN8jSZxNQQ4Qb9CYQQO+7ETPTsJ3xCwnR8gooJybQDJbw= +-----END CERTIFICATE----- + +Go Daddy Class 2 CA +=================== +-----BEGIN CERTIFICATE----- +MIIEADCCAuigAwIBAgIBADANBgkqhkiG9w0BAQUFADBjMQswCQYDVQQGEwJVUzEhMB8GA1UEChMY +VGhlIEdvIERhZGR5IEdyb3VwLCBJbmMuMTEwLwYDVQQLEyhHbyBEYWRkeSBDbGFzcyAyIENlcnRp +ZmljYXRpb24gQXV0aG9yaXR5MB4XDTA0MDYyOTE3MDYyMFoXDTM0MDYyOTE3MDYyMFowYzELMAkG +A1UEBhMCVVMxITAfBgNVBAoTGFRoZSBHbyBEYWRkeSBHcm91cCwgSW5jLjExMC8GA1UECxMoR28g +RGFkZHkgQ2xhc3MgMiBDZXJ0aWZpY2F0aW9uIEF1dGhvcml0eTCCASAwDQYJKoZIhvcNAQEBBQAD +ggENADCCAQgCggEBAN6d1+pXGEmhW+vXX0iG6r7d/+TvZxz0ZWizV3GgXne77ZtJ6XCAPVYYYwhv +2vLM0D9/AlQiVBDYsoHUwHU9S3/Hd8M+eKsaA7Ugay9qK7HFiH7Eux6wwdhFJ2+qN1j3hybX2C32 +qRe3H3I2TqYXP2WYktsqbl2i/ojgC95/5Y0V4evLOtXiEqITLdiOr18SPaAIBQi2XKVlOARFmR6j +YGB0xUGlcmIbYsUfb18aQr4CUWWoriMYavx4A6lNf4DD+qta/KFApMoZFv6yyO9ecw3ud72a9nmY +vLEHZ6IVDd2gWMZEewo+YihfukEHU1jPEX44dMX4/7VpkI+EdOqXG68CAQOjgcAwgb0wHQYDVR0O +BBYEFNLEsNKR1EwRcbNhyz2h/t2oatTjMIGNBgNVHSMEgYUwgYKAFNLEsNKR1EwRcbNhyz2h/t2o +atTjoWekZTBjMQswCQYDVQQGEwJVUzEhMB8GA1UEChMYVGhlIEdvIERhZGR5IEdyb3VwLCBJbmMu +MTEwLwYDVQQLEyhHbyBEYWRkeSBDbGFzcyAyIENlcnRpZmljYXRpb24gQXV0aG9yaXR5ggEAMAwG +A1UdEwQFMAMBAf8wDQYJKoZIhvcNAQEFBQADggEBADJL87LKPpH8EsahB4yOd6AzBhRckB4Y9wim +PQoZ+YeAEW5p5JYXMP80kWNyOO7MHAGjHZQopDH2esRU1/blMVgDoszOYtuURXO1v0XJJLXVggKt +I3lpjbi2Tc7PTMozI+gciKqdi0FuFskg5YmezTvacPd+mSYgFFQlq25zheabIZ0KbIIOqPjCDPoQ +HmyW74cNxA9hi63ugyuV+I6ShHI56yDqg+2DzZduCLzrTia2cyvk0/ZM/iZx4mERdEr/VxqHD3VI +Ls9RaRegAhJhldXRQLIQTO7ErBBDpqWeCtWVYpoNz4iCxTIM5CufReYNnyicsbkqWletNw+vHX/b +vZ8= +-----END CERTIFICATE----- + +Starfield Class 2 CA +==================== +-----BEGIN CERTIFICATE----- +MIIEDzCCAvegAwIBAgIBADANBgkqhkiG9w0BAQUFADBoMQswCQYDVQQGEwJVUzElMCMGA1UEChMc +U3RhcmZpZWxkIFRlY2hub2xvZ2llcywgSW5jLjEyMDAGA1UECxMpU3RhcmZpZWxkIENsYXNzIDIg +Q2VydGlmaWNhdGlvbiBBdXRob3JpdHkwHhcNMDQwNjI5MTczOTE2WhcNMzQwNjI5MTczOTE2WjBo +MQswCQYDVQQGEwJVUzElMCMGA1UEChMcU3RhcmZpZWxkIFRlY2hub2xvZ2llcywgSW5jLjEyMDAG +A1UECxMpU3RhcmZpZWxkIENsYXNzIDIgQ2VydGlmaWNhdGlvbiBBdXRob3JpdHkwggEgMA0GCSqG +SIb3DQEBAQUAA4IBDQAwggEIAoIBAQC3Msj+6XGmBIWtDBFk385N78gDGIc/oav7PKaf8MOh2tTY +bitTkPskpD6E8J7oX+zlJ0T1KKY/e97gKvDIr1MvnsoFAZMej2YcOadN+lq2cwQlZut3f+dZxkqZ +JRRU6ybH838Z1TBwj6+wRir/resp7defqgSHo9T5iaU0X9tDkYI22WY8sbi5gv2cOj4QyDvvBmVm +epsZGD3/cVE8MC5fvj13c7JdBmzDI1aaK4UmkhynArPkPw2vCHmCuDY96pzTNbO8acr1zJ3o/WSN +F4Azbl5KXZnJHoe0nRrA1W4TNSNe35tfPe/W93bC6j67eA0cQmdrBNj41tpvi/JEoAGrAgEDo4HF +MIHCMB0GA1UdDgQWBBS/X7fRzt0fhvRbVazc1xDCDqmI5zCBkgYDVR0jBIGKMIGHgBS/X7fRzt0f +hvRbVazc1xDCDqmI56FspGowaDELMAkGA1UEBhMCVVMxJTAjBgNVBAoTHFN0YXJmaWVsZCBUZWNo +bm9sb2dpZXMsIEluYy4xMjAwBgNVBAsTKVN0YXJmaWVsZCBDbGFzcyAyIENlcnRpZmljYXRpb24g +QXV0aG9yaXR5ggEAMAwGA1UdEwQFMAMBAf8wDQYJKoZIhvcNAQEFBQADggEBAAWdP4id0ckaVaGs +afPzWdqbAYcaT1epoXkJKtv3L7IezMdeatiDh6GX70k1PncGQVhiv45YuApnP+yz3SFmH8lU+nLM +PUxA2IGvd56Deruix/U0F47ZEUD0/CwqTRV/p2JdLiXTAAsgGh1o+Re49L2L7ShZ3U0WixeDyLJl +xy16paq8U4Zt3VekyvggQQto8PT7dL5WXXp59fkdheMtlb71cZBDzI0fmgAKhynpVSJYACPq4xJD +KVtHCN2MQWplBqjlIapBtJUhlbl90TSrE9atvNziPTnNvT51cKEYWQPJIrSPnNVeKtelttQKbfi3 +QBFGmh95DmK/D5fs4C8fF5Q= +-----END CERTIFICATE----- + +StartCom Certification Authority +================================ +-----BEGIN CERTIFICATE----- +MIIHyTCCBbGgAwIBAgIBATANBgkqhkiG9w0BAQUFADB9MQswCQYDVQQGEwJJTDEWMBQGA1UEChMN +U3RhcnRDb20gTHRkLjErMCkGA1UECxMiU2VjdXJlIERpZ2l0YWwgQ2VydGlmaWNhdGUgU2lnbmlu +ZzEpMCcGA1UEAxMgU3RhcnRDb20gQ2VydGlmaWNhdGlvbiBBdXRob3JpdHkwHhcNMDYwOTE3MTk0 +NjM2WhcNMzYwOTE3MTk0NjM2WjB9MQswCQYDVQQGEwJJTDEWMBQGA1UEChMNU3RhcnRDb20gTHRk +LjErMCkGA1UECxMiU2VjdXJlIERpZ2l0YWwgQ2VydGlmaWNhdGUgU2lnbmluZzEpMCcGA1UEAxMg +U3RhcnRDb20gQ2VydGlmaWNhdGlvbiBBdXRob3JpdHkwggIiMA0GCSqGSIb3DQEBAQUAA4ICDwAw +ggIKAoICAQDBiNsJvGxGfHiflXu1M5DycmLWwTYgIiRezul38kMKogZkpMyONvg45iPwbm2xPN1y +o4UcodM9tDMr0y+v/uqwQVlntsQGfQqedIXWeUyAN3rfOQVSWff0G0ZDpNKFhdLDcfN1YjS6LIp/ +Ho/u7TTQEceWzVI9ujPW3U3eCztKS5/CJi/6tRYccjV3yjxd5srhJosaNnZcAdt0FCX+7bWgiA/d +eMotHweXMAEtcnn6RtYTKqi5pquDSR3l8u/d5AGOGAqPY1MWhWKpDhk6zLVmpsJrdAfkK+F2PrRt +2PZE4XNiHzvEvqBTViVsUQn3qqvKv3b9bZvzndu/PWa8DFaqr5hIlTpL36dYUNk4dalb6kMMAv+Z +6+hsTXBbKWWc3apdzK8BMewM69KN6Oqce+Zu9ydmDBpI125C4z/eIT574Q1w+2OqqGwaVLRcJXrJ +osmLFqa7LH4XXgVNWG4SHQHuEhANxjJ/GP/89PrNbpHoNkm+Gkhpi8KWTRoSsmkXwQqQ1vp5Iki/ +untp+HDH+no32NgN0nZPV/+Qt+OR0t3vwmC3Zzrd/qqc8NSLf3Iizsafl7b4r4qgEKjZ+xjGtrVc +UjyJthkqcwEKDwOzEmDyei+B26Nu/yYwl/WL3YlXtq09s68rxbd2AvCl1iuahhQqcvbjM4xdCUsT +37uMdBNSSwIDAQABo4ICUjCCAk4wDAYDVR0TBAUwAwEB/zALBgNVHQ8EBAMCAa4wHQYDVR0OBBYE +FE4L7xqkQFulF2mHMMo0aEPQQa7yMGQGA1UdHwRdMFswLKAqoCiGJmh0dHA6Ly9jZXJ0LnN0YXJ0 +Y29tLm9yZy9zZnNjYS1jcmwuY3JsMCugKaAnhiVodHRwOi8vY3JsLnN0YXJ0Y29tLm9yZy9zZnNj +YS1jcmwuY3JsMIIBXQYDVR0gBIIBVDCCAVAwggFMBgsrBgEEAYG1NwEBATCCATswLwYIKwYBBQUH +AgEWI2h0dHA6Ly9jZXJ0LnN0YXJ0Y29tLm9yZy9wb2xpY3kucGRmMDUGCCsGAQUFBwIBFilodHRw +Oi8vY2VydC5zdGFydGNvbS5vcmcvaW50ZXJtZWRpYXRlLnBkZjCB0AYIKwYBBQUHAgIwgcMwJxYg +U3RhcnQgQ29tbWVyY2lhbCAoU3RhcnRDb20pIEx0ZC4wAwIBARqBl0xpbWl0ZWQgTGlhYmlsaXR5 +LCByZWFkIHRoZSBzZWN0aW9uICpMZWdhbCBMaW1pdGF0aW9ucyogb2YgdGhlIFN0YXJ0Q29tIENl +cnRpZmljYXRpb24gQXV0aG9yaXR5IFBvbGljeSBhdmFpbGFibGUgYXQgaHR0cDovL2NlcnQuc3Rh +cnRjb20ub3JnL3BvbGljeS5wZGYwEQYJYIZIAYb4QgEBBAQDAgAHMDgGCWCGSAGG+EIBDQQrFilT +dGFydENvbSBGcmVlIFNTTCBDZXJ0aWZpY2F0aW9uIEF1dGhvcml0eTANBgkqhkiG9w0BAQUFAAOC +AgEAFmyZ9GYMNPXQhV59CuzaEE44HF7fpiUFS5Eyweg78T3dRAlbB0mKKctmArexmvclmAk8jhvh +3TaHK0u7aNM5Zj2gJsfyOZEdUauCe37Vzlrk4gNXcGmXCPleWKYK34wGmkUWFjgKXlf2Ysd6AgXm +vB618p70qSmD+LIU424oh0TDkBreOKk8rENNZEXO3SipXPJzewT4F+irsfMuXGRuczE6Eri8sxHk +fY+BUZo7jYn0TZNmezwD7dOaHZrzZVD1oNB1ny+v8OqCQ5j4aZyJecRDjkZy42Q2Eq/3JR44iZB3 +fsNrarnDy0RLrHiQi+fHLB5LEUTINFInzQpdn4XBidUaePKVEFMy3YCEZnXZtWgo+2EuvoSoOMCZ +EoalHmdkrQYuL6lwhceWD3yJZfWOQ1QOq92lgDmUYMA0yZZwLKMS9R9Ie70cfmu3nZD0Ijuu+Pwq +yvqCUqDvr0tVk+vBtfAii6w0TiYiBKGHLHVKt+V9E9e4DGTANtLJL4YSjCMJwRuCO3NJo2pXh5Tl +1njFmUNj403gdy3hZZlyaQQaRwnmDwFWJPsfvw55qVguucQJAX6Vum0ABj6y6koQOdjQK/W/7HW/ +lwLFCRsI3FU34oH7N4RDYiDK51ZLZer+bMEkkyShNOsF/5oirpt9P/FlUQqmMGqz9IgcgA38coro +g14= +-----END CERTIFICATE----- + +Taiwan GRCA +=========== +-----BEGIN CERTIFICATE----- +MIIFcjCCA1qgAwIBAgIQH51ZWtcvwgZEpYAIaeNe9jANBgkqhkiG9w0BAQUFADA/MQswCQYDVQQG +EwJUVzEwMC4GA1UECgwnR292ZXJubWVudCBSb290IENlcnRpZmljYXRpb24gQXV0aG9yaXR5MB4X +DTAyMTIwNTEzMjMzM1oXDTMyMTIwNTEzMjMzM1owPzELMAkGA1UEBhMCVFcxMDAuBgNVBAoMJ0dv +dmVybm1lbnQgUm9vdCBDZXJ0aWZpY2F0aW9uIEF1dGhvcml0eTCCAiIwDQYJKoZIhvcNAQEBBQAD +ggIPADCCAgoCggIBAJoluOzMonWoe/fOW1mKydGGEghU7Jzy50b2iPN86aXfTEc2pBsBHH8eV4qN +w8XRIePaJD9IK/ufLqGU5ywck9G/GwGHU5nOp/UKIXZ3/6m3xnOUT0b3EEk3+qhZSV1qgQdW8or5 +BtD3cCJNtLdBuTK4sfCxw5w/cP1T3YGq2GN49thTbqGsaoQkclSGxtKyyhwOeYHWtXBiCAEuTk8O +1RGvqa/lmr/czIdtJuTJV6L7lvnM4T9TjGxMfptTCAtsF/tnyMKtsc2AtJfcdgEWFelq16TheEfO +htX7MfP6Mb40qij7cEwdScevLJ1tZqa2jWR+tSBqnTuBto9AAGdLiYa4zGX+FVPpBMHWXx1E1wov +J5pGfaENda1UhhXcSTvxls4Pm6Dso3pdvtUqdULle96ltqqvKKyskKw4t9VoNSZ63Pc78/1Fm9G7 +Q3hub/FCVGqY8A2tl+lSXunVanLeavcbYBT0peS2cWeqH+riTcFCQP5nRhc4L0c/cZyu5SHKYS1t +B6iEfC3uUSXxY5Ce/eFXiGvviiNtsea9P63RPZYLhY3Naye7twWb7LuRqQoHEgKXTiCQ8P8NHuJB +O9NAOueNXdpm5AKwB1KYXA6OM5zCppX7VRluTI6uSw+9wThNXo+EHWbNxWCWtFJaBYmOlXqYwZE8 +lSOyDvR5tMl8wUohAgMBAAGjajBoMB0GA1UdDgQWBBTMzO/MKWCkO7GStjz6MmKPrCUVOzAMBgNV +HRMEBTADAQH/MDkGBGcqBwAEMTAvMC0CAQAwCQYFKw4DAhoFADAHBgVnKgMAAAQUA5vwIhP/lSg2 +09yewDL7MTqKUWUwDQYJKoZIhvcNAQEFBQADggIBAECASvomyc5eMN1PhnR2WPWus4MzeKR6dBcZ +TulStbngCnRiqmjKeKBMmo4sIy7VahIkv9Ro04rQ2JyftB8M3jh+Vzj8jeJPXgyfqzvS/3WXy6Tj +Zwj/5cAWtUgBfen5Cv8b5Wppv3ghqMKnI6mGq3ZW6A4M9hPdKmaKZEk9GhiHkASfQlK3T8v+R0F2 +Ne//AHY2RTKbxkaFXeIksB7jSJaYV0eUVXoPQbFEJPPB/hprv4j9wabak2BegUqZIJxIZhm1AHlU +D7gsL0u8qV1bYH+Mh6XgUmMqvtg7hUAV/h62ZT/FS9p+tXo1KaMuephgIqP0fSdOLeq0dDzpD6Qz +DxARvBMB1uUO07+1EqLhRSPAzAhuYbeJq4PjJB7mXQfnHyA+z2fI56wwbSdLaG5LKlwCCDTb+Hbk +Z6MmnD+iMsJKxYEYMRBWqoTvLQr/uB930r+lWKBi5NdLkXWNiYCYfm3LU05er/ayl4WXudpVBrkk +7tfGOB5jGxI7leFYrPLfhNVfmS8NVVvmONsuP3LpSIXLuykTjx44VbnzssQwmSNOXfJIoRIM3BKQ +CZBUkQM8R+XVyWXgt0t97EfTsws+rZ7QdAAO671RrcDeLMDDav7v3Aun+kbfYNucpllQdSNpc5Oy ++fwC00fmcc4QAu4njIT/rEUNE1yDMuAlpYYsfPQS +-----END CERTIFICATE----- + +Firmaprofesional Root CA +======================== +-----BEGIN CERTIFICATE----- +MIIEVzCCAz+gAwIBAgIBATANBgkqhkiG9w0BAQUFADCBnTELMAkGA1UEBhMCRVMxIjAgBgNVBAcT +GUMvIE11bnRhbmVyIDI0NCBCYXJjZWxvbmExQjBABgNVBAMTOUF1dG9yaWRhZCBkZSBDZXJ0aWZp +Y2FjaW9uIEZpcm1hcHJvZmVzaW9uYWwgQ0lGIEE2MjYzNDA2ODEmMCQGCSqGSIb3DQEJARYXY2FA +ZmlybWFwcm9mZXNpb25hbC5jb20wHhcNMDExMDI0MjIwMDAwWhcNMTMxMDI0MjIwMDAwWjCBnTEL +MAkGA1UEBhMCRVMxIjAgBgNVBAcTGUMvIE11bnRhbmVyIDI0NCBCYXJjZWxvbmExQjBABgNVBAMT +OUF1dG9yaWRhZCBkZSBDZXJ0aWZpY2FjaW9uIEZpcm1hcHJvZmVzaW9uYWwgQ0lGIEE2MjYzNDA2 +ODEmMCQGCSqGSIb3DQEJARYXY2FAZmlybWFwcm9mZXNpb25hbC5jb20wggEiMA0GCSqGSIb3DQEB +AQUAA4IBDwAwggEKAoIBAQDnIwNvbyOlXnjOlSztlB5uCp4Bx+ow0Syd3Tfom5h5VtP8c9/Qit5V +j1H5WuretXDE7aTt/6MNbg9kUDGvASdYrv5sp0ovFy3Tc9UTHI9ZpTQsHVQERc1ouKDAA6XPhUJH +lShbz++AbOCQl4oBPB3zhxAwJkh91/zpnZFx/0GaqUC1N5wpIE8fUuOgfRNtVLcK3ulqTgesrBlf +3H5idPayBQC6haD9HThuy1q7hryUZzM1gywfI834yJFxzJeL764P3CkDG8A563DtwW4O2GcLiam8 +NeTvtjS0pbbELaW+0MOUJEjb35bTALVmGotmBQ/dPz/LP6pemkr4tErvlTcbAgMBAAGjgZ8wgZww +KgYDVR0RBCMwIYYfaHR0cDovL3d3dy5maXJtYXByb2Zlc2lvbmFsLmNvbTASBgNVHRMBAf8ECDAG +AQH/AgEBMCsGA1UdEAQkMCKADzIwMDExMDI0MjIwMDAwWoEPMjAxMzEwMjQyMjAwMDBaMA4GA1Ud +DwEB/wQEAwIBBjAdBgNVHQ4EFgQUMwugZtHq2s7eYpMEKFK1FH84aLcwDQYJKoZIhvcNAQEFBQAD +ggEBAEdz/o0nVPD11HecJ3lXV7cVVuzH2Fi3AQL0M+2TUIiefEaxvT8Ub/GzR0iLjJcG1+p+o1wq +u00vR+L4OQbJnC4xGgN49Lw4xiKLMzHwFgQEffl25EvXwOaD7FnMP97/T2u3Z36mhoEyIwOdyPdf +wUpgpZKpsaSgYMN4h7Mi8yrrW6ntBas3D7Hi05V2Y1Z0jFhyGzflZKG+TQyTmAyX9odtsz/ny4Cm +7YjHX1BiAuiZdBbQ5rQ58SfLyEDW44YQqSMSkuBpQWOnryULwMWSyx6Yo1q6xTMPoJcB3X/ge9YG +VM+h4k0460tQtcsm9MracEpqoeJ5quGnM/b9Sh/22WA= +-----END CERTIFICATE----- + +Wells Fargo Root CA +=================== +-----BEGIN CERTIFICATE----- +MIID5TCCAs2gAwIBAgIEOeSXnjANBgkqhkiG9w0BAQUFADCBgjELMAkGA1UEBhMCVVMxFDASBgNV +BAoTC1dlbGxzIEZhcmdvMSwwKgYDVQQLEyNXZWxscyBGYXJnbyBDZXJ0aWZpY2F0aW9uIEF1dGhv +cml0eTEvMC0GA1UEAxMmV2VsbHMgRmFyZ28gUm9vdCBDZXJ0aWZpY2F0ZSBBdXRob3JpdHkwHhcN +MDAxMDExMTY0MTI4WhcNMjEwMTE0MTY0MTI4WjCBgjELMAkGA1UEBhMCVVMxFDASBgNVBAoTC1dl +bGxzIEZhcmdvMSwwKgYDVQQLEyNXZWxscyBGYXJnbyBDZXJ0aWZpY2F0aW9uIEF1dGhvcml0eTEv +MC0GA1UEAxMmV2VsbHMgRmFyZ28gUm9vdCBDZXJ0aWZpY2F0ZSBBdXRob3JpdHkwggEiMA0GCSqG +SIb3DQEBAQUAA4IBDwAwggEKAoIBAQDVqDM7Jvk0/82bfuUER84A4n135zHCLielTWi5MbqNQ1mX +x3Oqfz1cQJ4F5aHiidlMuD+b+Qy0yGIZLEWukR5zcUHESxP9cMIlrCL1dQu3U+SlK93OvRw6esP3 +E48mVJwWa2uv+9iWsWCaSOAlIiR5NM4OJgALTqv9i86C1y8IcGjBqAr5dE8Hq6T54oN+J3N0Prj5 +OEL8pahbSCOz6+MlsoCultQKnMJ4msZoGK43YjdeUXWoWGPAUe5AeH6orxqg4bB4nVCMe+ez/I4j +sNtlAHCEAQgAFG5Uhpq6zPk3EPbg3oQtnaSFN9OH4xXQwReQfhkhahKpdv0SAulPIV4XAgMBAAGj +YTBfMA8GA1UdEwEB/wQFMAMBAf8wTAYDVR0gBEUwQzBBBgtghkgBhvt7hwcBCzAyMDAGCCsGAQUF +BwIBFiRodHRwOi8vd3d3LndlbGxzZmFyZ28uY29tL2NlcnRwb2xpY3kwDQYJKoZIhvcNAQEFBQAD +ggEBANIn3ZwKdyu7IvICtUpKkfnRLb7kuxpo7w6kAOnu5+/u9vnldKTC2FJYxHT7zmu1Oyl5GFrv +m+0fazbuSCUlFLZWohDo7qd/0D+j0MNdJu4HzMPBJCGHHt8qElNvQRbn7a6U+oxy+hNH8Dx+rn0R +OhPs7fpvcmR7nX1/Jv16+yWt6j4pf0zjAFcysLPp7VMX2YuyFA4w6OXVE8Zkr8QA1dhYJPz1j+zx +x32l2w8n0cbyQIjmH/ZhqPRCyLk306m+LFZ4wnKbWV01QIroTmMatukgalHizqSQ33ZwmVxwQ023 +tqcZZE6St8WRPH9IFmV7Fv3L/PvZ1dZPIWU7Sn9Ho/s= +-----END CERTIFICATE----- + +Swisscom Root CA 1 +================== +-----BEGIN CERTIFICATE----- +MIIF2TCCA8GgAwIBAgIQXAuFXAvnWUHfV8w/f52oNjANBgkqhkiG9w0BAQUFADBkMQswCQYDVQQG +EwJjaDERMA8GA1UEChMIU3dpc3Njb20xJTAjBgNVBAsTHERpZ2l0YWwgQ2VydGlmaWNhdGUgU2Vy +dmljZXMxGzAZBgNVBAMTElN3aXNzY29tIFJvb3QgQ0EgMTAeFw0wNTA4MTgxMjA2MjBaFw0yNTA4 +MTgyMjA2MjBaMGQxCzAJBgNVBAYTAmNoMREwDwYDVQQKEwhTd2lzc2NvbTElMCMGA1UECxMcRGln +aXRhbCBDZXJ0aWZpY2F0ZSBTZXJ2aWNlczEbMBkGA1UEAxMSU3dpc3Njb20gUm9vdCBDQSAxMIIC +IjANBgkqhkiG9w0BAQEFAAOCAg8AMIICCgKCAgEA0LmwqAzZuz8h+BvVM5OAFmUgdbI9m2BtRsiM +MW8Xw/qabFbtPMWRV8PNq5ZJkCoZSx6jbVfd8StiKHVFXqrWW/oLJdihFvkcxC7mlSpnzNApbjyF +NDhhSbEAn9Y6cV9Nbc5fuankiX9qUvrKm/LcqfmdmUc/TilftKaNXXsLmREDA/7n29uj/x2lzZAe +AR81sH8A25Bvxn570e56eqeqDFdvpG3FEzuwpdntMhy0XmeLVNxzh+XTF3xmUHJd1BpYwdnP2IkC +b6dJtDZd0KTeByy2dbcokdaXvij1mB7qWybJvbCXc9qukSbraMH5ORXWZ0sKbU/Lz7DkQnGMU3nn +7uHbHaBuHYwadzVcFh4rUx80i9Fs/PJnB3r1re3WmquhsUvhzDdf/X/NTa64H5xD+SpYVUNFvJbN +cA78yeNmuk6NO4HLFWR7uZToXTNShXEuT46iBhFRyePLoW4xCGQMwtI89Tbo19AOeCMgkckkKmUp +WyL3Ic6DXqTz3kvTaI9GdVyDCW4pa8RwjPWd1yAv/0bSKzjCL3UcPX7ape8eYIVpQtPM+GP+HkM5 +haa2Y0EQs3MevNP6yn0WR+Kn1dCjigoIlmJWbjTb2QK5MHXjBNLnj8KwEUAKrNVxAmKLMb7dxiNY +MUJDLXT5xp6mig/p/r+D5kNXJLrvRjSq1xIBOO0CAwEAAaOBhjCBgzAOBgNVHQ8BAf8EBAMCAYYw +HQYDVR0hBBYwFDASBgdghXQBUwABBgdghXQBUwABMBIGA1UdEwEB/wQIMAYBAf8CAQcwHwYDVR0j +BBgwFoAUAyUv3m+CATpcLNwroWm1Z9SM0/0wHQYDVR0OBBYEFAMlL95vggE6XCzcK6FptWfUjNP9 +MA0GCSqGSIb3DQEBBQUAA4ICAQA1EMvspgQNDQ/NwNurqPKIlwzfky9NfEBWMXrrpA9gzXrzvsMn +jgM+pN0S734edAY8PzHyHHuRMSG08NBsl9Tpl7IkVh5WwzW9iAUPWxAaZOHHgjD5Mq2eUCzneAXQ +MbFamIp1TpBcahQq4FJHgmDmHtqBsfsUC1rxn9KVuj7QG9YVHaO+htXbD8BJZLsuUBlL0iT43R4H +VtA4oJVwIHaM190e3p9xxCPvgxNcoyQVTSlAPGrEqdi3pkSlDfTgnXceQHAm/NrZNuR55LU/vJtl +vrsRls/bxig5OgjOR1tTWsWZ/l2p3e9M1MalrQLmjAcSHm8D0W+go/MpvRLHUKKwf4ipmXeascCl +OS5cfGniLLDqN2qk4Vrh9VDlg++luyqI54zb/W1elxmofmZ1a3Hqv7HHb6D0jqTsNFFbjCYDcKF3 +1QESVwA12yPeDooomf2xEG9L/zgtYE4snOtnta1J7ksfrK/7DZBaZmBwXarNeNQk7shBoJMBkpxq +nvy5JMWzFYJ+vq6VK+uxwNrjAWALXmmshFZhvnEX/h0TD/7Gh0Xp/jKgGg0TpJRVcaUWi7rKibCy +x/yP2FS1k2Kdzs9Z+z0YzirLNRWCXf9UIltxUvu3yf5gmwBBZPCqKuy2QkPOiWaByIufOVQDJdMW +NY6E0F/6MBr1mmz0DlP5OlvRHA== +-----END CERTIFICATE----- + +DigiCert Assured ID Root CA +=========================== +-----BEGIN CERTIFICATE----- +MIIDtzCCAp+gAwIBAgIQDOfg5RfYRv6P5WD8G/AwOTANBgkqhkiG9w0BAQUFADBlMQswCQYDVQQG +EwJVUzEVMBMGA1UEChMMRGlnaUNlcnQgSW5jMRkwFwYDVQQLExB3d3cuZGlnaWNlcnQuY29tMSQw +IgYDVQQDExtEaWdpQ2VydCBBc3N1cmVkIElEIFJvb3QgQ0EwHhcNMDYxMTEwMDAwMDAwWhcNMzEx +MTEwMDAwMDAwWjBlMQswCQYDVQQGEwJVUzEVMBMGA1UEChMMRGlnaUNlcnQgSW5jMRkwFwYDVQQL +ExB3d3cuZGlnaWNlcnQuY29tMSQwIgYDVQQDExtEaWdpQ2VydCBBc3N1cmVkIElEIFJvb3QgQ0Ew +ggEiMA0GCSqGSIb3DQEBAQUAA4IBDwAwggEKAoIBAQCtDhXO5EOAXLGH87dg+XESpa7cJpSIqvTO +9SA5KFhgDPiA2qkVlTJhPLWxKISKityfCgyDF3qPkKyK53lTXDGEKvYPmDI2dsze3Tyoou9q+yHy +UmHfnyDXH+Kx2f4YZNISW1/5WBg1vEfNoTb5a3/UsDg+wRvDjDPZ2C8Y/igPs6eD1sNuRMBhNZYW +/lmci3Zt1/GiSw0r/wty2p5g0I6QNcZ4VYcgoc/lbQrISXwxmDNsIumH0DJaoroTghHtORedmTpy +oeb6pNnVFzF1roV9Iq4/AUaG9ih5yLHa5FcXxH4cDrC0kqZWs72yl+2qp/C3xag/lRbQ/6GW6whf +GHdPAgMBAAGjYzBhMA4GA1UdDwEB/wQEAwIBhjAPBgNVHRMBAf8EBTADAQH/MB0GA1UdDgQWBBRF +66Kv9JLLgjEtUYunpyGd823IDzAfBgNVHSMEGDAWgBRF66Kv9JLLgjEtUYunpyGd823IDzANBgkq +hkiG9w0BAQUFAAOCAQEAog683+Lt8ONyc3pklL/3cmbYMuRCdWKuh+vy1dneVrOfzM4UKLkNl2Bc +EkxY5NM9g0lFWJc1aRqoR+pWxnmrEthngYTffwk8lOa4JiwgvT2zKIn3X/8i4peEH+ll74fg38Fn +SbNd67IJKusm7Xi+fT8r87cmNW1fiQG2SVufAQWbqz0lwcy2f8Lxb4bG+mRo64EtlOtCt/qMHt1i +8b5QZ7dsvfPxH2sMNgcWfzd8qVttevESRmCD1ycEvkvOl77DZypoEd+A5wwzZr8TDRRu838fYxAe ++o0bJW1sj6W3YQGx0qMmoRBxna3iw/nDmVG3KwcIzi7mULKn+gpFL6Lw8g== +-----END CERTIFICATE----- + +DigiCert Global Root CA +======================= +-----BEGIN CERTIFICATE----- +MIIDrzCCApegAwIBAgIQCDvgVpBCRrGhdWrJWZHHSjANBgkqhkiG9w0BAQUFADBhMQswCQYDVQQG +EwJVUzEVMBMGA1UEChMMRGlnaUNlcnQgSW5jMRkwFwYDVQQLExB3d3cuZGlnaWNlcnQuY29tMSAw +HgYDVQQDExdEaWdpQ2VydCBHbG9iYWwgUm9vdCBDQTAeFw0wNjExMTAwMDAwMDBaFw0zMTExMTAw +MDAwMDBaMGExCzAJBgNVBAYTAlVTMRUwEwYDVQQKEwxEaWdpQ2VydCBJbmMxGTAXBgNVBAsTEHd3 +dy5kaWdpY2VydC5jb20xIDAeBgNVBAMTF0RpZ2lDZXJ0IEdsb2JhbCBSb290IENBMIIBIjANBgkq +hkiG9w0BAQEFAAOCAQ8AMIIBCgKCAQEA4jvhEXLeqKTTo1eqUKKPC3eQyaKl7hLOllsBCSDMAZOn +TjC3U/dDxGkAV53ijSLdhwZAAIEJzs4bg7/fzTtxRuLWZscFs3YnFo97nh6Vfe63SKMI2tavegw5 +BmV/Sl0fvBf4q77uKNd0f3p4mVmFaG5cIzJLv07A6Fpt43C/dxC//AH2hdmoRBBYMql1GNXRor5H +4idq9Joz+EkIYIvUX7Q6hL+hqkpMfT7PT19sdl6gSzeRntwi5m3OFBqOasv+zbMUZBfHWymeMr/y +7vrTC0LUq7dBMtoM1O/4gdW7jVg/tRvoSSiicNoxBN33shbyTApOB6jtSj1etX+jkMOvJwIDAQAB +o2MwYTAOBgNVHQ8BAf8EBAMCAYYwDwYDVR0TAQH/BAUwAwEB/zAdBgNVHQ4EFgQUA95QNVbRTLtm +8KPiGxvDl7I90VUwHwYDVR0jBBgwFoAUA95QNVbRTLtm8KPiGxvDl7I90VUwDQYJKoZIhvcNAQEF +BQADggEBAMucN6pIExIK+t1EnE9SsPTfrgT1eXkIoyQY/EsrhMAtudXH/vTBH1jLuG2cenTnmCmr +EbXjcKChzUyImZOMkXDiqw8cvpOp/2PV5Adg06O/nVsJ8dWO41P0jmP6P6fbtGbfYmbW0W5BjfIt +tep3Sp+dWOIrWcBAI+0tKIJFPnlUkiaY4IBIqDfv8NZ5YBberOgOzW6sRBc4L0na4UU+Krk2U886 +UAb3LujEV0lsYSEY1QSteDwsOoBrp+uvFRTp2InBuThs4pFsiv9kuXclVzDAGySj4dzp30d8tbQk +CAUw7C29C79Fv1C5qfPrmAESrciIxpg0X40KPMbp1ZWVbd4= +-----END CERTIFICATE----- + +DigiCert High Assurance EV Root CA +================================== +-----BEGIN CERTIFICATE----- +MIIDxTCCAq2gAwIBAgIQAqxcJmoLQJuPC3nyrkYldzANBgkqhkiG9w0BAQUFADBsMQswCQYDVQQG +EwJVUzEVMBMGA1UEChMMRGlnaUNlcnQgSW5jMRkwFwYDVQQLExB3d3cuZGlnaWNlcnQuY29tMSsw +KQYDVQQDEyJEaWdpQ2VydCBIaWdoIEFzc3VyYW5jZSBFViBSb290IENBMB4XDTA2MTExMDAwMDAw +MFoXDTMxMTExMDAwMDAwMFowbDELMAkGA1UEBhMCVVMxFTATBgNVBAoTDERpZ2lDZXJ0IEluYzEZ +MBcGA1UECxMQd3d3LmRpZ2ljZXJ0LmNvbTErMCkGA1UEAxMiRGlnaUNlcnQgSGlnaCBBc3N1cmFu +Y2UgRVYgUm9vdCBDQTCCASIwDQYJKoZIhvcNAQEBBQADggEPADCCAQoCggEBAMbM5XPm+9S75S0t +Mqbf5YE/yc0lSbZxKsPVlDRnogocsF9ppkCxxLeyj9CYpKlBWTrT3JTWPNt0OKRKzE0lgvdKpVMS +OO7zSW1xkX5jtqumX8OkhPhPYlG++MXs2ziS4wblCJEMxChBVfvLWokVfnHoNb9Ncgk9vjo4UFt3 +MRuNs8ckRZqnrG0AFFoEt7oT61EKmEFBIk5lYYeBQVCmeVyJ3hlKV9Uu5l0cUyx+mM0aBhakaHPQ +NAQTXKFx01p8VdteZOE3hzBWBOURtCmAEvF5OYiiAhF8J2a3iLd48soKqDirCmTCv2ZdlYTBoSUe +h10aUAsgEsxBu24LUTi4S8sCAwEAAaNjMGEwDgYDVR0PAQH/BAQDAgGGMA8GA1UdEwEB/wQFMAMB +Af8wHQYDVR0OBBYEFLE+w2kD+L9HAdSYJhoIAu9jZCvDMB8GA1UdIwQYMBaAFLE+w2kD+L9HAdSY +JhoIAu9jZCvDMA0GCSqGSIb3DQEBBQUAA4IBAQAcGgaX3NecnzyIZgYIVyHbIUf4KmeqvxgydkAQ +V8GK83rZEWWONfqe/EW1ntlMMUu4kehDLI6zeM7b41N5cdblIZQB2lWHmiRk9opmzN6cN82oNLFp +myPInngiK3BD41VHMWEZ71jFhS9OMPagMRYjyOfiZRYzy78aG6A9+MpeizGLYAiJLQwGXFK3xPkK +mNEVX58Svnw2Yzi9RKR/5CYrCsSXaQ3pjOLAEFe4yHYSkVXySGnYvCoCWw9E1CAx2/S6cCZdkGCe +vEsXCS+0yx5DaMkHJ8HSXPfqIbloEpw8nL+e/IBcm2PN7EeqJSdnoDfzAIJ9VNep+OkuE6N36B9K +-----END CERTIFICATE----- + +Certplus Class 2 Primary CA +=========================== +-----BEGIN CERTIFICATE----- +MIIDkjCCAnqgAwIBAgIRAIW9S/PY2uNp9pTXX8OlRCMwDQYJKoZIhvcNAQEFBQAwPTELMAkGA1UE +BhMCRlIxETAPBgNVBAoTCENlcnRwbHVzMRswGQYDVQQDExJDbGFzcyAyIFByaW1hcnkgQ0EwHhcN +OTkwNzA3MTcwNTAwWhcNMTkwNzA2MjM1OTU5WjA9MQswCQYDVQQGEwJGUjERMA8GA1UEChMIQ2Vy +dHBsdXMxGzAZBgNVBAMTEkNsYXNzIDIgUHJpbWFyeSBDQTCCASIwDQYJKoZIhvcNAQEBBQADggEP +ADCCAQoCggEBANxQltAS+DXSCHh6tlJw/W/uz7kRy1134ezpfgSN1sxvc0NXYKwzCkTsA18cgCSR +5aiRVhKC9+Ar9NuuYS6JEI1rbLqzAr3VNsVINyPi8Fo3UjMXEuLRYE2+L0ER4/YXJQyLkcAbmXuZ +Vg2v7tK8R1fjeUl7NIknJITesezpWE7+Tt9avkGtrAjFGA7v0lPubNCdEgETjdyAYveVqUSISnFO +YFWe2yMZeVYHDD9jC1yw4r5+FfyUM1hBOHTE4Y+L3yasH7WLO7dDWWuwJKZtkIvEcupdM5i3y95e +e++U8Rs+yskhwcWYAqqi9lt3m/V+llU0HGdpwPFC40es/CgcZlUCAwEAAaOBjDCBiTAPBgNVHRME +CDAGAQH/AgEKMAsGA1UdDwQEAwIBBjAdBgNVHQ4EFgQU43Mt38sOKAze3bOkynm4jrvoMIkwEQYJ +YIZIAYb4QgEBBAQDAgEGMDcGA1UdHwQwMC4wLKAqoCiGJmh0dHA6Ly93d3cuY2VydHBsdXMuY29t +L0NSTC9jbGFzczIuY3JsMA0GCSqGSIb3DQEBBQUAA4IBAQCnVM+IRBnL39R/AN9WM2K191EBkOvD +P9GIROkkXe/nFL0gt5o8AP5tn9uQ3Nf0YtaLcF3n5QRIqWh8yfFC82x/xXp8HVGIutIKPidd3i1R +TtMTZGnkLuPT55sJmabglZvOGtd/vjzOUrMRFcEPF80Du5wlFbqidon8BvEY0JNLDnyCt6X09l/+ +7UCmnYR0ObncHoUW2ikbhiMAybuJfm6AiB4vFLQDJKgybwOaRywwvlbGp0ICcBvqQNi6BQNwB6SW +//1IMwrh3KWBkJtN3X3n57LNXMhqlfil9o3EXXgIvnsG1knPGTZQIy4I5p4FTUcY1Rbpsda2ENW7 +l7+ijrRU +-----END CERTIFICATE----- + +DST Root CA X3 +============== +-----BEGIN CERTIFICATE----- +MIIDSjCCAjKgAwIBAgIQRK+wgNajJ7qJMDmGLvhAazANBgkqhkiG9w0BAQUFADA/MSQwIgYDVQQK +ExtEaWdpdGFsIFNpZ25hdHVyZSBUcnVzdCBDby4xFzAVBgNVBAMTDkRTVCBSb290IENBIFgzMB4X +DTAwMDkzMDIxMTIxOVoXDTIxMDkzMDE0MDExNVowPzEkMCIGA1UEChMbRGlnaXRhbCBTaWduYXR1 +cmUgVHJ1c3QgQ28uMRcwFQYDVQQDEw5EU1QgUm9vdCBDQSBYMzCCASIwDQYJKoZIhvcNAQEBBQAD +ggEPADCCAQoCggEBAN+v6ZdQCINXtMxiZfaQguzH0yxrMMpb7NnDfcdAwRgUi+DoM3ZJKuM/IUmT +rE4Orz5Iy2Xu/NMhD2XSKtkyj4zl93ewEnu1lcCJo6m67XMuegwGMoOifooUMM0RoOEqOLl5CjH9 +UL2AZd+3UWODyOKIYepLYYHsUmu5ouJLGiifSKOeDNoJjj4XLh7dIN9bxiqKqy69cK3FCxolkHRy +xXtqqzTWMIn/5WgTe1QLyNau7Fqckh49ZLOMxt+/yUFw7BZy1SbsOFU5Q9D8/RhcQPGX69Wam40d +utolucbY38EVAjqr2m7xPi71XAicPNaDaeQQmxkqtilX4+U9m5/wAl0CAwEAAaNCMEAwDwYDVR0T +AQH/BAUwAwEB/zAOBgNVHQ8BAf8EBAMCAQYwHQYDVR0OBBYEFMSnsaR7LHH62+FLkHX/xBVghYkQ +MA0GCSqGSIb3DQEBBQUAA4IBAQCjGiybFwBcqR7uKGY3Or+Dxz9LwwmglSBd49lZRNI+DT69ikug +dB/OEIKcdBodfpga3csTS7MgROSR6cz8faXbauX+5v3gTt23ADq1cEmv8uXrAvHRAosZy5Q6XkjE +GB5YGV8eAlrwDPGxrancWYaLbumR9YbK+rlmM6pZW87ipxZzR8srzJmwN0jP41ZL9c8PDHIyh8bw +RLtTcm1D9SZImlJnt1ir/md2cXjbDaJWFBM5JDGFoqgCWjBH4d1QB7wCCZAA62RjYJsWvIjJEubS +fZGL+T0yjWW06XyxV3bqxbYoOb8VZRzI9neWagqNdwvYkQsEjgfbKbYK7p2CNTUQ +-----END CERTIFICATE----- + +DST ACES CA X6 +============== +-----BEGIN CERTIFICATE----- +MIIECTCCAvGgAwIBAgIQDV6ZCtadt3js2AdWO4YV2TANBgkqhkiG9w0BAQUFADBbMQswCQYDVQQG +EwJVUzEgMB4GA1UEChMXRGlnaXRhbCBTaWduYXR1cmUgVHJ1c3QxETAPBgNVBAsTCERTVCBBQ0VT +MRcwFQYDVQQDEw5EU1QgQUNFUyBDQSBYNjAeFw0wMzExMjAyMTE5NThaFw0xNzExMjAyMTE5NTha +MFsxCzAJBgNVBAYTAlVTMSAwHgYDVQQKExdEaWdpdGFsIFNpZ25hdHVyZSBUcnVzdDERMA8GA1UE +CxMIRFNUIEFDRVMxFzAVBgNVBAMTDkRTVCBBQ0VTIENBIFg2MIIBIjANBgkqhkiG9w0BAQEFAAOC +AQ8AMIIBCgKCAQEAuT31LMmU3HWKlV1j6IR3dma5WZFcRt2SPp/5DgO0PWGSvSMmtWPuktKe1jzI +DZBfZIGxqAgNTNj50wUoUrQBJcWVHAx+PhCEdc/BGZFjz+iokYi5Q1K7gLFViYsx+tC3dr5BPTCa +pCIlF3PoHuLTrCq9Wzgh1SpL11V94zpVvddtawJXa+ZHfAjIgrrep4c9oW24MFbCswKBXy314pow +GCi4ZtPLAZZv6opFVdbgnf9nKxcCpk4aahELfrd755jWjHZvwTvbUJN+5dCOHze4vbrGn2zpfDPy +MjwmR/onJALJfh1biEITajV8fTXpLmaRcpPVMibEdPVTo7NdmvYJywIDAQABo4HIMIHFMA8GA1Ud +EwEB/wQFMAMBAf8wDgYDVR0PAQH/BAQDAgHGMB8GA1UdEQQYMBaBFHBraS1vcHNAdHJ1c3Rkc3Qu +Y29tMGIGA1UdIARbMFkwVwYKYIZIAWUDAgEBATBJMEcGCCsGAQUFBwIBFjtodHRwOi8vd3d3LnRy +dXN0ZHN0LmNvbS9jZXJ0aWZpY2F0ZXMvcG9saWN5L0FDRVMtaW5kZXguaHRtbDAdBgNVHQ4EFgQU +CXIGThhDD+XWzMNqizF7eI+og7gwDQYJKoZIhvcNAQEFBQADggEBAKPYjtay284F5zLNAdMEA+V2 +5FYrnJmQ6AgwbN99Pe7lv7UkQIRJ4dEorsTCOlMwiPH1d25Ryvr/ma8kXxug/fKshMrfqfBfBC6t +Fr8hlxCBPeP/h40y3JTlR4peahPJlJU90u7INJXQgNStMgiAVDzgvVJT11J8smk/f3rPanTK+gQq +nExaBqXpIK1FZg9p8d2/6eMyi/rgwYZNcjwu2JN4Cir42NInPRmJX1p7ijvMDNpRrscL9yuwNwXs +vFcj4jjSm2jzVhKIT0J8uDHEtdvkyCE06UgRNe76x5JXxZ805Mf29w4LTJxoeHtxMcfrHuBnQfO3 +oKfN5XozNmr6mis= +-----END CERTIFICATE----- + +TURKTRUST Certificate Services Provider Root 1 +============================================== +-----BEGIN CERTIFICATE----- +MIID+zCCAuOgAwIBAgIBATANBgkqhkiG9w0BAQUFADCBtzE/MD0GA1UEAww2VMOcUktUUlVTVCBF +bGVrdHJvbmlrIFNlcnRpZmlrYSBIaXptZXQgU2HEn2xhecSxY8Sxc8SxMQswCQYDVQQGDAJUUjEP +MA0GA1UEBwwGQU5LQVJBMVYwVAYDVQQKDE0oYykgMjAwNSBUw5xSS1RSVVNUIEJpbGdpIMSwbGV0 +acWfaW0gdmUgQmlsacWfaW0gR8O8dmVubGnEn2kgSGl6bWV0bGVyaSBBLsWeLjAeFw0wNTA1MTMx +MDI3MTdaFw0xNTAzMjIxMDI3MTdaMIG3MT8wPQYDVQQDDDZUw5xSS1RSVVNUIEVsZWt0cm9uaWsg +U2VydGlmaWthIEhpem1ldCBTYcSfbGF5xLFjxLFzxLExCzAJBgNVBAYMAlRSMQ8wDQYDVQQHDAZB +TktBUkExVjBUBgNVBAoMTShjKSAyMDA1IFTDnFJLVFJVU1QgQmlsZ2kgxLBsZXRpxZ9pbSB2ZSBC +aWxpxZ9pbSBHw7x2ZW5sacSfaSBIaXptZXRsZXJpIEEuxZ4uMIIBIjANBgkqhkiG9w0BAQEFAAOC +AQ8AMIIBCgKCAQEAylIF1mMD2Bxf3dJ7XfIMYGFbazt0K3gNfUW9InTojAPBxhEqPZW8qZSwu5GX +yGl8hMW0kWxsE2qkVa2kheiVfrMArwDCBRj1cJ02i67L5BuBf5OI+2pVu32Fks66WJ/bMsW9Xe8i +Si9BB35JYbOG7E6mQW6EvAPs9TscyB/C7qju6hJKjRTP8wrgUDn5CDX4EVmt5yLqS8oUBt5CurKZ +8y1UiBAG6uEaPj1nH/vO+3yC6BFdSsG5FOpU2WabfIl9BJpiyelSPJ6c79L1JuTm5Rh8i27fbMx4 +W09ysstcP4wFjdFMjK2Sx+F4f2VsSQZQLJ4ywtdKxnWKWU51b0dewQIDAQABoxAwDjAMBgNVHRME +BTADAQH/MA0GCSqGSIb3DQEBBQUAA4IBAQAV9VX/N5aAWSGk/KEVTCD21F/aAyT8z5Aa9CEKmu46 +sWrv7/hg0Uw2ZkUd82YCdAR7kjCo3gp2D++Vbr3JN+YaDayJSFvMgzbC9UZcWYJWtNX+I7TYVBxE +q8Sn5RTOPEFhfEPmzcSBCYsk+1Ql1haolgxnB2+zUEfjHCQo3SqYpGH+2+oSN7wBGjSFvW5P55Fy +B0SFHljKVETd96y5y4khctuPwGkplyqjrhgjlxxBKot8KsF8kOipKMDTkcatKIdAaLX/7KfS0zgY +nNN9aV3wxqUeJBujR/xpB2jn5Jq07Q+hh4cCzofSSE7hvP/L8XKSRGQDJereW26fyfJOrN3H +-----END CERTIFICATE----- + +TURKTRUST Certificate Services Provider Root 2 +============================================== +-----BEGIN CERTIFICATE----- +MIIEPDCCAySgAwIBAgIBATANBgkqhkiG9w0BAQUFADCBvjE/MD0GA1UEAww2VMOcUktUUlVTVCBF +bGVrdHJvbmlrIFNlcnRpZmlrYSBIaXptZXQgU2HEn2xhecSxY8Sxc8SxMQswCQYDVQQGEwJUUjEP +MA0GA1UEBwwGQW5rYXJhMV0wWwYDVQQKDFRUw5xSS1RSVVNUIEJpbGdpIMSwbGV0acWfaW0gdmUg +QmlsacWfaW0gR8O8dmVubGnEn2kgSGl6bWV0bGVyaSBBLsWeLiAoYykgS2FzxLFtIDIwMDUwHhcN +MDUxMTA3MTAwNzU3WhcNMTUwOTE2MTAwNzU3WjCBvjE/MD0GA1UEAww2VMOcUktUUlVTVCBFbGVr +dHJvbmlrIFNlcnRpZmlrYSBIaXptZXQgU2HEn2xhecSxY8Sxc8SxMQswCQYDVQQGEwJUUjEPMA0G +A1UEBwwGQW5rYXJhMV0wWwYDVQQKDFRUw5xSS1RSVVNUIEJpbGdpIMSwbGV0acWfaW0gdmUgQmls +acWfaW0gR8O8dmVubGnEn2kgSGl6bWV0bGVyaSBBLsWeLiAoYykgS2FzxLFtIDIwMDUwggEiMA0G +CSqGSIb3DQEBAQUAA4IBDwAwggEKAoIBAQCpNn7DkUNMwxmYCMjHWHtPFoylzkkBH3MOrHUTpvqe +LCDe2JAOCtFp0if7qnefJ1Il4std2NiDUBd9irWCPwSOtNXwSadktx4uXyCcUHVPr+G1QRT0mJKI +x+XlZEdhR3n9wFHxwZnn3M5q+6+1ATDcRhzviuyV79z/rxAc653YsKpqhRgNF8k+v/Gb0AmJQv2g +QrSdiVFVKc8bcLyEVK3BEx+Y9C52YItdP5qtygy/p1Zbj3e41Z55SZI/4PGXJHpsmxcPbe9TmJEr +5A++WXkHeLuXlfSfadRYhwqp48y2WBmfJiGxxFmNskF1wK1pzpwACPI2/z7woQ8arBT9pmAPAgMB +AAGjQzBBMB0GA1UdDgQWBBTZN7NOBf3Zz58SFq62iS/rJTqIHDAPBgNVHQ8BAf8EBQMDBwYAMA8G +A1UdEwEB/wQFMAMBAf8wDQYJKoZIhvcNAQEFBQADggEBAHJglrfJ3NgpXiOFX7KzLXb7iNcX/ntt +Rbj2hWyfIvwqECLsqrkw9qtY1jkQMZkpAL2JZkH7dN6RwRgLn7Vhy506vvWolKMiVW4XSf/SKfE4 +Jl3vpao6+XF75tpYHdN0wgH6PmlYX63LaL4ULptswLbcoCb6dxriJNoaN+BnrdFzgw2lGh1uEpJ+ +hGIAF728JRhX8tepb1mIvDS3LoV4nZbcFMMsilKbloxSZj2GFotHuFEJjOp9zYhys2AzsfAKRO8P +9Qk3iCQOLGsgOqL6EfJANZxEaGM7rDNvY7wsu/LSy3Z9fYjYHcgFHW68lKlmjHdxx/qR+i9Rnuk5 +UrbnBEI= +-----END CERTIFICATE----- + +SwissSign Platinum CA - G2 +========================== +-----BEGIN CERTIFICATE----- +MIIFwTCCA6mgAwIBAgIITrIAZwwDXU8wDQYJKoZIhvcNAQEFBQAwSTELMAkGA1UEBhMCQ0gxFTAT +BgNVBAoTDFN3aXNzU2lnbiBBRzEjMCEGA1UEAxMaU3dpc3NTaWduIFBsYXRpbnVtIENBIC0gRzIw +HhcNMDYxMDI1MDgzNjAwWhcNMzYxMDI1MDgzNjAwWjBJMQswCQYDVQQGEwJDSDEVMBMGA1UEChMM +U3dpc3NTaWduIEFHMSMwIQYDVQQDExpTd2lzc1NpZ24gUGxhdGludW0gQ0EgLSBHMjCCAiIwDQYJ +KoZIhvcNAQEBBQADggIPADCCAgoCggIBAMrfogLi2vj8Bxax3mCq3pZcZB/HL37PZ/pEQtZ2Y5Wu +669yIIpFR4ZieIbWIDkm9K6j/SPnpZy1IiEZtzeTIsBQnIJ71NUERFzLtMKfkr4k2HtnIuJpX+UF +eNSH2XFwMyVTtIc7KZAoNppVRDBopIOXfw0enHb/FZ1glwCNioUD7IC+6ixuEFGSzH7VozPY1kne +WCqv9hbrS3uQMpe5up1Y8fhXSQQeol0GcN1x2/ndi5objM89o03Oy3z2u5yg+gnOI2Ky6Q0f4nIo +j5+saCB9bzuohTEJfwvH6GXp43gOCWcwizSC+13gzJ2BbWLuCB4ELE6b7P6pT1/9aXjvCR+htL/6 +8++QHkwFix7qepF6w9fl+zC8bBsQWJj3Gl/QKTIDE0ZNYWqFTFJ0LwYfexHihJfGmfNtf9dng34T +aNhxKFrYzt3oEBSa/m0jh26OWnA81Y0JAKeqvLAxN23IhBQeW71FYyBrS3SMvds6DsHPWhaPpZjy +domyExI7C3d3rLvlPClKknLKYRorXkzig3R3+jVIeoVNjZpTxN94ypeRSCtFKwH3HBqi7Ri6Cr2D ++m+8jVeTO9TUps4e8aCxzqv9KyiaTxvXw3LbpMS/XUz13XuWae5ogObnmLo2t/5u7Su9IPhlGdpV +CX4l3P5hYnL5fhgC72O00Puv5TtjjGePAgMBAAGjgawwgakwDgYDVR0PAQH/BAQDAgEGMA8GA1Ud +EwEB/wQFMAMBAf8wHQYDVR0OBBYEFFCvzAeHFUdvOMW0ZdHelarp35zMMB8GA1UdIwQYMBaAFFCv +zAeHFUdvOMW0ZdHelarp35zMMEYGA1UdIAQ/MD0wOwYJYIV0AVkBAQEBMC4wLAYIKwYBBQUHAgEW +IGh0dHA6Ly9yZXBvc2l0b3J5LnN3aXNzc2lnbi5jb20vMA0GCSqGSIb3DQEBBQUAA4ICAQAIhab1 +Fgz8RBrBY+D5VUYI/HAcQiiWjrfFwUF1TglxeeVtlspLpYhg0DB0uMoI3LQwnkAHFmtllXcBrqS3 +NQuB2nEVqXQXOHtYyvkv+8Bldo1bAbl93oI9ZLi+FHSjClTTLJUYFzX1UWs/j6KWYTl4a0vlpqD4 +U99REJNi54Av4tHgvI42Rncz7Lj7jposiU0xEQ8mngS7twSNC/K5/FqdOxa3L8iYq/6KUFkuozv8 +KV2LwUvJ4ooTHbG/u0IdUt1O2BReEMYxB+9xJ/cbOQncguqLs5WGXv312l0xpuAxtpTmREl0xRbl +9x8DYSjFyMsSoEJL+WuICI20MhjzdZ/EfwBPBZWcoxcCw7NTm6ogOSkrZvqdr16zktK1puEa+S1B +aYEUtLS17Yk9zvupnTVCRLEcFHOBzyoBNZox1S2PbYTfgE1X4z/FhHXaicYwu+uPyyIIoK6q8QNs +OktNCaUOcsZWayFCTiMlFGiudgp8DAdwZPmaL/YFOSbGDI8Zf0NebvRbFS/bYV3mZy8/CJT5YLSY +Mdp08YSTcU1f+2BY0fvEwW2JorsgH51xkcsymxM9Pn2SUjWskpSi0xjCfMfqr3YFFt1nJ8J+HAci +IfNAChs0B0QTwoRqjt8ZWr9/6x3iGjjRXK9HkmuAtTClyY3YqzGBH9/CZjfTk6mFhnll0g== +-----END CERTIFICATE----- + +SwissSign Gold CA - G2 +====================== +-----BEGIN CERTIFICATE----- +MIIFujCCA6KgAwIBAgIJALtAHEP1Xk+wMA0GCSqGSIb3DQEBBQUAMEUxCzAJBgNVBAYTAkNIMRUw +EwYDVQQKEwxTd2lzc1NpZ24gQUcxHzAdBgNVBAMTFlN3aXNzU2lnbiBHb2xkIENBIC0gRzIwHhcN +MDYxMDI1MDgzMDM1WhcNMzYxMDI1MDgzMDM1WjBFMQswCQYDVQQGEwJDSDEVMBMGA1UEChMMU3dp +c3NTaWduIEFHMR8wHQYDVQQDExZTd2lzc1NpZ24gR29sZCBDQSAtIEcyMIICIjANBgkqhkiG9w0B +AQEFAAOCAg8AMIICCgKCAgEAr+TufoskDhJuqVAtFkQ7kpJcyrhdhJJCEyq8ZVeCQD5XJM1QiyUq +t2/876LQwB8CJEoTlo8jE+YoWACjR8cGp4QjK7u9lit/VcyLwVcfDmJlD909Vopz2q5+bbqBHH5C +jCA12UNNhPqE21Is8w4ndwtrvxEvcnifLtg+5hg3Wipy+dpikJKVyh+c6bM8K8vzARO/Ws/BtQpg +vd21mWRTuKCWs2/iJneRjOBiEAKfNA+k1ZIzUd6+jbqEemA8atufK+ze3gE/bk3lUIbLtK/tREDF +ylqM2tIrfKjuvqblCqoOpd8FUrdVxyJdMmqXl2MT28nbeTZ7hTpKxVKJ+STnnXepgv9VHKVxaSvR +AiTysybUa9oEVeXBCsdtMDeQKuSeFDNeFhdVxVu1yzSJkvGdJo+hB9TGsnhQ2wwMC3wLjEHXuend +jIj3o02yMszYF9rNt85mndT9Xv+9lz4pded+p2JYryU0pUHHPbwNUMoDAw8IWh+Vc3hiv69yFGkO +peUDDniOJihC8AcLYiAQZzlG+qkDzAQ4embvIIO1jEpWjpEA/I5cgt6IoMPiaG59je883WX0XaxR +7ySArqpWl2/5rX3aYT+YdzylkbYcjCbaZaIJbcHiVOO5ykxMgI93e2CaHt+28kgeDrpOVG2Y4OGi +GqJ3UM/EY5LsRxmd6+ZrzsECAwEAAaOBrDCBqTAOBgNVHQ8BAf8EBAMCAQYwDwYDVR0TAQH/BAUw +AwEB/zAdBgNVHQ4EFgQUWyV7lqRlUX64OfPAeGZe6Drn8O4wHwYDVR0jBBgwFoAUWyV7lqRlUX64 +OfPAeGZe6Drn8O4wRgYDVR0gBD8wPTA7BglghXQBWQECAQEwLjAsBggrBgEFBQcCARYgaHR0cDov +L3JlcG9zaXRvcnkuc3dpc3NzaWduLmNvbS8wDQYJKoZIhvcNAQEFBQADggIBACe645R88a7A3hfm +5djV9VSwg/S7zV4Fe0+fdWavPOhWfvxyeDgD2StiGwC5+OlgzczOUYrHUDFu4Up+GC9pWbY9ZIEr +44OE5iKHjn3g7gKZYbge9LgriBIWhMIxkziWMaa5O1M/wySTVltpkuzFwbs4AOPsF6m43Md8AYOf +Mke6UiI0HTJ6CVanfCU2qT1L2sCCbwq7EsiHSycR+R4tx5M/nttfJmtS2S6K8RTGRI0Vqbe/vd6m +Gu6uLftIdxf+u+yvGPUqUfA5hJeVbG4bwyvEdGB5JbAKJ9/fXtI5z0V9QkvfsywexcZdylU6oJxp +mo/a77KwPJ+HbBIrZXAVUjEaJM9vMSNQH4xPjyPDdEFjHFWoFN0+4FFQz/EbMFYOkrCChdiDyyJk +vC24JdVUorgG6q2SpCSgwYa1ShNqR88uC1aVVMvOmttqtKay20EIhid392qgQmwLOM7XdVAyksLf +KzAiSNDVQTglXaTpXZ/GlHXQRf0wl0OPkKsKx4ZzYEppLd6leNcG2mqeSz53OiATIgHQv2ieY2Br +NU0LbbqhPcCT4H8js1WtciVORvnSFu+wZMEBnunKoGqYDs/YYPIvSbjkQuE4NRb0yG5P94FW6Lqj +viOvrv1vA+ACOzB2+httQc8Bsem4yWb02ybzOqR08kkkW8mw0FfB+j564ZfJ +-----END CERTIFICATE----- + +SwissSign Silver CA - G2 +======================== +-----BEGIN CERTIFICATE----- +MIIFvTCCA6WgAwIBAgIITxvUL1S7L0swDQYJKoZIhvcNAQEFBQAwRzELMAkGA1UEBhMCQ0gxFTAT +BgNVBAoTDFN3aXNzU2lnbiBBRzEhMB8GA1UEAxMYU3dpc3NTaWduIFNpbHZlciBDQSAtIEcyMB4X +DTA2MTAyNTA4MzI0NloXDTM2MTAyNTA4MzI0NlowRzELMAkGA1UEBhMCQ0gxFTATBgNVBAoTDFN3 +aXNzU2lnbiBBRzEhMB8GA1UEAxMYU3dpc3NTaWduIFNpbHZlciBDQSAtIEcyMIICIjANBgkqhkiG +9w0BAQEFAAOCAg8AMIICCgKCAgEAxPGHf9N4Mfc4yfjDmUO8x/e8N+dOcbpLj6VzHVxumK4DV644 +N0MvFz0fyM5oEMF4rhkDKxD6LHmD9ui5aLlV8gREpzn5/ASLHvGiTSf5YXu6t+WiE7brYT7QbNHm ++/pe7R20nqA1W6GSy/BJkv6FCgU+5tkL4k+73JU3/JHpMjUi0R86TieFnbAVlDLaYQ1HTWBCrpJH +6INaUFjpiou5XaHc3ZlKHzZnu0jkg7Y360g6rw9njxcH6ATK72oxh9TAtvmUcXtnZLi2kUpCe2Uu +MGoM9ZDulebyzYLs2aFK7PayS+VFheZteJMELpyCbTapxDFkH4aDCyr0NQp4yVXPQbBH6TCfmb5h +qAaEuSh6XzjZG6k4sIN/c8HDO0gqgg8hm7jMqDXDhBuDsz6+pJVpATqJAHgE2cn0mRmrVn5bi4Y5 +FZGkECwJMoBgs5PAKrYYC51+jUnyEEp/+dVGLxmSo5mnJqy7jDzmDrxHB9xzUfFwZC8I+bRHHTBs +ROopN4WSaGa8gzj+ezku01DwH/teYLappvonQfGbGHLy9YR0SslnxFSuSGTfjNFusB3hB48IHpmc +celM2KX3RxIfdNFRnobzwqIjQAtz20um53MGjMGg6cFZrEb65i/4z3GcRm25xBWNOHkDRUjvxF3X +CO6HOSKGsg0PWEP3calILv3q1h8CAwEAAaOBrDCBqTAOBgNVHQ8BAf8EBAMCAQYwDwYDVR0TAQH/ +BAUwAwEB/zAdBgNVHQ4EFgQUF6DNweRBtjpbO8tFnb0cwpj6hlgwHwYDVR0jBBgwFoAUF6DNweRB +tjpbO8tFnb0cwpj6hlgwRgYDVR0gBD8wPTA7BglghXQBWQEDAQEwLjAsBggrBgEFBQcCARYgaHR0 +cDovL3JlcG9zaXRvcnkuc3dpc3NzaWduLmNvbS8wDQYJKoZIhvcNAQEFBQADggIBAHPGgeAn0i0P +4JUw4ppBf1AsX19iYamGamkYDHRJ1l2E6kFSGG9YrVBWIGrGvShpWJHckRE1qTodvBqlYJ7YH39F +kWnZfrt4csEGDyrOj4VwYaygzQu4OSlWhDJOhrs9xCrZ1x9y7v5RoSJBsXECYxqCsGKrXlcSH9/L +3XWgwF15kIwb4FDm3jH+mHtwX6WQ2K34ArZv02DdQEsixT2tOnqfGhpHkXkzuoLcMmkDlm4fS/Bx +/uNncqCxv1yL5PqZIseEuRuNI5c/7SXgz2W79WEE790eslpBIlqhn10s6FvJbakMDHiqYMZWjwFa +DGi8aRl5xB9+lwW/xekkUV7U1UtT7dkjWjYDZaPBA61BMPNGG4WQr2W11bHkFlt4dR2Xem1ZqSqP +e97Dh4kQmUlzeMg9vVE1dCrV8X5pGyq7O70luJpaPXJhkGaH7gzWTdQRdAtq/gsD/KNVV4n+Ssuu +WxcFyPKNIzFTONItaj+CuY0IavdeQXRuwxF+B6wpYJE/OMpXEA29MC/HpeZBoNquBYeaoKRlbEwJ +DIm6uNO5wJOKMPqN5ZprFQFOZ6raYlY+hAhm0sQ2fac+EPyI4NSA5QC9qvNOBqN6avlicuMJT+ub +DgEj8Z+7fNzcbBGXJbLytGMU0gYqZ4yD9c7qB9iaah7s5Aq7KkzrCWA5zspi2C5u +-----END CERTIFICATE----- + +GeoTrust Primary Certification Authority +======================================== +-----BEGIN CERTIFICATE----- +MIIDfDCCAmSgAwIBAgIQGKy1av1pthU6Y2yv2vrEoTANBgkqhkiG9w0BAQUFADBYMQswCQYDVQQG +EwJVUzEWMBQGA1UEChMNR2VvVHJ1c3QgSW5jLjExMC8GA1UEAxMoR2VvVHJ1c3QgUHJpbWFyeSBD +ZXJ0aWZpY2F0aW9uIEF1dGhvcml0eTAeFw0wNjExMjcwMDAwMDBaFw0zNjA3MTYyMzU5NTlaMFgx +CzAJBgNVBAYTAlVTMRYwFAYDVQQKEw1HZW9UcnVzdCBJbmMuMTEwLwYDVQQDEyhHZW9UcnVzdCBQ +cmltYXJ5IENlcnRpZmljYXRpb24gQXV0aG9yaXR5MIIBIjANBgkqhkiG9w0BAQEFAAOCAQ8AMIIB +CgKCAQEAvrgVe//UfH1nrYNke8hCUy3f9oQIIGHWAVlqnEQRr+92/ZV+zmEwu3qDXwK9AWbK7hWN +b6EwnL2hhZ6UOvNWiAAxz9juapYC2e0DjPt1befquFUWBRaa9OBesYjAZIVcFU2Ix7e64HXprQU9 +nceJSOC7KMgD4TCTZF5SwFlwIjVXiIrxlQqD17wxcwE07e9GceBrAqg1cmuXm2bgyxx5X9gaBGge +RwLmnWDiNpcB3841kt++Z8dtd1k7j53WkBWUvEI0EME5+bEnPn7WinXFsq+W06Lem+SYvn3h6YGt +tm/81w7a4DSwDRp35+MImO9Y+pyEtzavwt+s0vQQBnBxNQIDAQABo0IwQDAPBgNVHRMBAf8EBTAD +AQH/MA4GA1UdDwEB/wQEAwIBBjAdBgNVHQ4EFgQULNVQQZcVi/CPNmFbSvtr2ZnJM5IwDQYJKoZI +hvcNAQEFBQADggEBAFpwfyzdtzRP9YZRqSa+S7iq8XEN3GHHoOo0Hnp3DwQ16CePbJC/kRYkRj5K +Ts4rFtULUh38H2eiAkUxT87z+gOneZ1TatnaYzr4gNfTmeGl4b7UVXGYNTq+k+qurUKykG/g/CFN +NWMziUnWm07Kx+dOCQD32sfvmWKZd7aVIl6KoKv0uHiYyjgZmclynnjNS6yvGaBzEi38wkG6gZHa +Floxt/m0cYASSJlyc1pZU8FjUjPtp8nSOQJw+uCxQmYpqptR7TBUIhRf2asdweSU8Pj1K/fqynhG +1riR/aYNKxoUAT6A8EKglQdebc3MS6RFjasS6LPeWuWgfOgPIh1a6Vk= +-----END CERTIFICATE----- + +thawte Primary Root CA +====================== +-----BEGIN CERTIFICATE----- +MIIEIDCCAwigAwIBAgIQNE7VVyDV7exJ9C/ON9srbTANBgkqhkiG9w0BAQUFADCBqTELMAkGA1UE +BhMCVVMxFTATBgNVBAoTDHRoYXd0ZSwgSW5jLjEoMCYGA1UECxMfQ2VydGlmaWNhdGlvbiBTZXJ2 +aWNlcyBEaXZpc2lvbjE4MDYGA1UECxMvKGMpIDIwMDYgdGhhd3RlLCBJbmMuIC0gRm9yIGF1dGhv +cml6ZWQgdXNlIG9ubHkxHzAdBgNVBAMTFnRoYXd0ZSBQcmltYXJ5IFJvb3QgQ0EwHhcNMDYxMTE3 +MDAwMDAwWhcNMzYwNzE2MjM1OTU5WjCBqTELMAkGA1UEBhMCVVMxFTATBgNVBAoTDHRoYXd0ZSwg +SW5jLjEoMCYGA1UECxMfQ2VydGlmaWNhdGlvbiBTZXJ2aWNlcyBEaXZpc2lvbjE4MDYGA1UECxMv +KGMpIDIwMDYgdGhhd3RlLCBJbmMuIC0gRm9yIGF1dGhvcml6ZWQgdXNlIG9ubHkxHzAdBgNVBAMT +FnRoYXd0ZSBQcmltYXJ5IFJvb3QgQ0EwggEiMA0GCSqGSIb3DQEBAQUAA4IBDwAwggEKAoIBAQCs +oPD7gFnUnMekz52hWXMJEEUMDSxuaPFsW0hoSVk3/AszGcJ3f8wQLZU0HObrTQmnHNK4yZc2AreJ +1CRfBsDMRJSUjQJib+ta3RGNKJpchJAQeg29dGYvajig4tVUROsdB58Hum/u6f1OCyn1PoSgAfGc +q/gcfomk6KHYcWUNo1F77rzSImANuVud37r8UVsLr5iy6S7pBOhih94ryNdOwUxkHt3Ph1i6Sk/K +aAcdHJ1KxtUvkcx8cXIcxcBn6zL9yZJclNqFwJu/U30rCfSMnZEfl2pSy94JNqR32HuHUETVPm4p +afs5SSYeCaWAe0At6+gnhcn+Yf1+5nyXHdWdAgMBAAGjQjBAMA8GA1UdEwEB/wQFMAMBAf8wDgYD +VR0PAQH/BAQDAgEGMB0GA1UdDgQWBBR7W0XPr87Lev0xkhpqtvNG61dIUDANBgkqhkiG9w0BAQUF +AAOCAQEAeRHAS7ORtvzw6WfUDW5FvlXok9LOAz/t2iWwHVfLHjp2oEzsUHboZHIMpKnxuIvW1oeE +uzLlQRHAd9mzYJ3rG9XRbkREqaYB7FViHXe4XI5ISXycO1cRrK1zN44veFyQaEfZYGDm/Ac9IiAX +xPcW6cTYcvnIc3zfFi8VqT79aie2oetaupgf1eNNZAqdE8hhuvU5HIe6uL17In/2/qxAeeWsEG89 +jxt5dovEN7MhGITlNgDrYyCZuen+MwS7QcjBAvlEYyCegc5C09Y/LHbTY5xZ3Y+m4Q6gLkH3LpVH +z7z9M/P2C2F+fpErgUfCJzDupxBdN49cOSvkBPB7jVaMaA== +-----END CERTIFICATE----- + +VeriSign Class 3 Public Primary Certification Authority - G5 +============================================================ +-----BEGIN CERTIFICATE----- +MIIE0zCCA7ugAwIBAgIQGNrRniZ96LtKIVjNzGs7SjANBgkqhkiG9w0BAQUFADCByjELMAkGA1UE +BhMCVVMxFzAVBgNVBAoTDlZlcmlTaWduLCBJbmMuMR8wHQYDVQQLExZWZXJpU2lnbiBUcnVzdCBO +ZXR3b3JrMTowOAYDVQQLEzEoYykgMjAwNiBWZXJpU2lnbiwgSW5jLiAtIEZvciBhdXRob3JpemVk +IHVzZSBvbmx5MUUwQwYDVQQDEzxWZXJpU2lnbiBDbGFzcyAzIFB1YmxpYyBQcmltYXJ5IENlcnRp +ZmljYXRpb24gQXV0aG9yaXR5IC0gRzUwHhcNMDYxMTA4MDAwMDAwWhcNMzYwNzE2MjM1OTU5WjCB +yjELMAkGA1UEBhMCVVMxFzAVBgNVBAoTDlZlcmlTaWduLCBJbmMuMR8wHQYDVQQLExZWZXJpU2ln +biBUcnVzdCBOZXR3b3JrMTowOAYDVQQLEzEoYykgMjAwNiBWZXJpU2lnbiwgSW5jLiAtIEZvciBh +dXRob3JpemVkIHVzZSBvbmx5MUUwQwYDVQQDEzxWZXJpU2lnbiBDbGFzcyAzIFB1YmxpYyBQcmlt +YXJ5IENlcnRpZmljYXRpb24gQXV0aG9yaXR5IC0gRzUwggEiMA0GCSqGSIb3DQEBAQUAA4IBDwAw +ggEKAoIBAQCvJAgIKXo1nmAMqudLO07cfLw8RRy7K+D+KQL5VwijZIUVJ/XxrcgxiV0i6CqqpkKz +j/i5Vbext0uz/o9+B1fs70PbZmIVYc9gDaTY3vjgw2IIPVQT60nKWVSFJuUrjxuf6/WhkcIzSdhD +Y2pSS9KP6HBRTdGJaXvHcPaz3BJ023tdS1bTlr8Vd6Gw9KIl8q8ckmcY5fQGBO+QueQA5N06tRn/ +Arr0PO7gi+s3i+z016zy9vA9r911kTMZHRxAy3QkGSGT2RT+rCpSx4/VBEnkjWNHiDxpg8v+R70r +fk/Fla4OndTRQ8Bnc+MUCH7lP59zuDMKz10/NIeWiu5T6CUVAgMBAAGjgbIwga8wDwYDVR0TAQH/ +BAUwAwEB/zAOBgNVHQ8BAf8EBAMCAQYwbQYIKwYBBQUHAQwEYTBfoV2gWzBZMFcwVRYJaW1hZ2Uv +Z2lmMCEwHzAHBgUrDgMCGgQUj+XTGoasjY5rw8+AatRIGCx7GS4wJRYjaHR0cDovL2xvZ28udmVy +aXNpZ24uY29tL3ZzbG9nby5naWYwHQYDVR0OBBYEFH/TZafC3ey78DAJ80M5+gKvMzEzMA0GCSqG +SIb3DQEBBQUAA4IBAQCTJEowX2LP2BqYLz3q3JktvXf2pXkiOOzEp6B4Eq1iDkVwZMXnl2YtmAl+ +X6/WzChl8gGqCBpH3vn5fJJaCGkgDdk+bW48DW7Y5gaRQBi5+MHt39tBquCWIMnNZBU4gcmU7qKE +KQsTb47bDN0lAtukixlE0kF6BWlKWE9gyn6CagsCqiUXObXbf+eEZSqVir2G3l6BFoMtEMze/aiC +Km0oHw0LxOXnGiYZ4fQRbxC1lfznQgUy286dUV4otp6F01vvpX1FQHKOtw5rDgb7MzVIcbidJ4vE +ZV8NhnacRHr2lVz2XTIIM6RUthg/aFzyQkqFOFSDX9HoLPKsEdao7WNq +-----END CERTIFICATE----- + +SecureTrust CA +============== +-----BEGIN CERTIFICATE----- +MIIDuDCCAqCgAwIBAgIQDPCOXAgWpa1Cf/DrJxhZ0DANBgkqhkiG9w0BAQUFADBIMQswCQYDVQQG +EwJVUzEgMB4GA1UEChMXU2VjdXJlVHJ1c3QgQ29ycG9yYXRpb24xFzAVBgNVBAMTDlNlY3VyZVRy +dXN0IENBMB4XDTA2MTEwNzE5MzExOFoXDTI5MTIzMTE5NDA1NVowSDELMAkGA1UEBhMCVVMxIDAe +BgNVBAoTF1NlY3VyZVRydXN0IENvcnBvcmF0aW9uMRcwFQYDVQQDEw5TZWN1cmVUcnVzdCBDQTCC +ASIwDQYJKoZIhvcNAQEBBQADggEPADCCAQoCggEBAKukgeWVzfX2FI7CT8rU4niVWJxB4Q2ZQCQX +OZEzZum+4YOvYlyJ0fwkW2Gz4BERQRwdbvC4u/jep4G6pkjGnx29vo6pQT64lO0pGtSO0gMdA+9t +DWccV9cGrcrI9f4Or2YlSASWC12juhbDCE/RRvgUXPLIXgGZbf2IzIaowW8xQmxSPmjL8xk037uH +GFaAJsTQ3MBv396gwpEWoGQRS0S8Hvbn+mPeZqx2pHGj7DaUaHp3pLHnDi+BeuK1cobvomuL8A/b +01k/unK8RCSc43Oz969XL0Imnal0ugBS8kvNU3xHCzaFDmapCJcWNFfBZveA4+1wVMeT4C4oFVmH +ursCAwEAAaOBnTCBmjATBgkrBgEEAYI3FAIEBh4EAEMAQTALBgNVHQ8EBAMCAYYwDwYDVR0TAQH/ +BAUwAwEB/zAdBgNVHQ4EFgQUQjK2FvoE/f5dS3rD/fdMQB1aQ68wNAYDVR0fBC0wKzApoCegJYYj +aHR0cDovL2NybC5zZWN1cmV0cnVzdC5jb20vU1RDQS5jcmwwEAYJKwYBBAGCNxUBBAMCAQAwDQYJ +KoZIhvcNAQEFBQADggEBADDtT0rhWDpSclu1pqNlGKa7UTt36Z3q059c4EVlew3KW+JwULKUBRSu +SceNQQcSc5R+DCMh/bwQf2AQWnL1mA6s7Ll/3XpvXdMc9P+IBWlCqQVxyLesJugutIxq/3HcuLHf +mbx8IVQr5Fiiu1cprp6poxkmD5kuCLDv/WnPmRoJjeOnnyvJNjR7JLN4TJUXpAYmHrZkUjZfYGfZ +nMUFdAvnZyPSCPyI6a6Lf+Ew9Dd+/cYy2i2eRDAwbO4H3tI0/NL/QPZL9GZGBlSm8jIKYyYwa5vR +3ItHuuG51WLQoqD0ZwV4KWMabwTW+MZMo5qxN7SN5ShLHZ4swrhovO0C7jE= +-----END CERTIFICATE----- + +Secure Global CA +================ +-----BEGIN CERTIFICATE----- +MIIDvDCCAqSgAwIBAgIQB1YipOjUiolN9BPI8PjqpTANBgkqhkiG9w0BAQUFADBKMQswCQYDVQQG +EwJVUzEgMB4GA1UEChMXU2VjdXJlVHJ1c3QgQ29ycG9yYXRpb24xGTAXBgNVBAMTEFNlY3VyZSBH +bG9iYWwgQ0EwHhcNMDYxMTA3MTk0MjI4WhcNMjkxMjMxMTk1MjA2WjBKMQswCQYDVQQGEwJVUzEg +MB4GA1UEChMXU2VjdXJlVHJ1c3QgQ29ycG9yYXRpb24xGTAXBgNVBAMTEFNlY3VyZSBHbG9iYWwg +Q0EwggEiMA0GCSqGSIb3DQEBAQUAA4IBDwAwggEKAoIBAQCvNS7YrGxVaQZx5RNoJLNP2MwhR/jx +YDiJiQPpvepeRlMJ3Fz1Wuj3RSoC6zFh1ykzTM7HfAo3fg+6MpjhHZevj8fcyTiW89sa/FHtaMbQ +bqR8JNGuQsiWUGMu4P51/pinX0kuleM5M2SOHqRfkNJnPLLZ/kG5VacJjnIFHovdRIWCQtBJwB1g +8NEXLJXr9qXBkqPFwqcIYA1gBBCWeZ4WNOaptvolRTnIHmX5k/Wq8VLcmZg9pYYaDDUz+kulBAYV +HDGA76oYa8J719rO+TMg1fW9ajMtgQT7sFzUnKPiXB3jqUJ1XnvUd+85VLrJChgbEplJL4hL/VBi +0XPnj3pDAgMBAAGjgZ0wgZowEwYJKwYBBAGCNxQCBAYeBABDAEEwCwYDVR0PBAQDAgGGMA8GA1Ud +EwEB/wQFMAMBAf8wHQYDVR0OBBYEFK9EBMJBfkiD2045AuzshHrmzsmkMDQGA1UdHwQtMCswKaAn +oCWGI2h0dHA6Ly9jcmwuc2VjdXJldHJ1c3QuY29tL1NHQ0EuY3JsMBAGCSsGAQQBgjcVAQQDAgEA +MA0GCSqGSIb3DQEBBQUAA4IBAQBjGghAfaReUw132HquHw0LURYD7xh8yOOvaliTFGCRsoTciE6+ +OYo68+aCiV0BN7OrJKQVDpI1WkpEXk5X+nXOH0jOZvQ8QCaSmGwb7iRGDBezUqXbpZGRzzfTb+cn +CDpOGR86p1hcF895P4vkp9MmI50mD1hp/Ed+stCNi5O/KU9DaXR2Z0vPB4zmAve14bRDtUstFJ/5 +3CYNv6ZHdAbYiNE6KTCEztI5gGIbqMdXSbxqVVFnFUq+NQfk1XWYN3kwFNspnWzFacxHVaIw98xc +f8LDmBxrThaA63p4ZUWiABqvDA1VZDRIuJK58bRQKfJPIx/abKwfROHdI3hRW8cW +-----END CERTIFICATE----- + +COMODO Certification Authority +============================== +-----BEGIN CERTIFICATE----- +MIIEHTCCAwWgAwIBAgIQToEtioJl4AsC7j41AkblPTANBgkqhkiG9w0BAQUFADCBgTELMAkGA1UE +BhMCR0IxGzAZBgNVBAgTEkdyZWF0ZXIgTWFuY2hlc3RlcjEQMA4GA1UEBxMHU2FsZm9yZDEaMBgG +A1UEChMRQ09NT0RPIENBIExpbWl0ZWQxJzAlBgNVBAMTHkNPTU9ETyBDZXJ0aWZpY2F0aW9uIEF1 +dGhvcml0eTAeFw0wNjEyMDEwMDAwMDBaFw0yOTEyMzEyMzU5NTlaMIGBMQswCQYDVQQGEwJHQjEb +MBkGA1UECBMSR3JlYXRlciBNYW5jaGVzdGVyMRAwDgYDVQQHEwdTYWxmb3JkMRowGAYDVQQKExFD +T01PRE8gQ0EgTGltaXRlZDEnMCUGA1UEAxMeQ09NT0RPIENlcnRpZmljYXRpb24gQXV0aG9yaXR5 +MIIBIjANBgkqhkiG9w0BAQEFAAOCAQ8AMIIBCgKCAQEA0ECLi3LjkRv3UcEbVASY06m/weaKXTuH ++7uIzg3jLz8GlvCiKVCZrts7oVewdFFxze1CkU1B/qnI2GqGd0S7WWaXUF601CxwRM/aN5VCaTww +xHGzUvAhTaHYujl8HJ6jJJ3ygxaYqhZ8Q5sVW7euNJH+1GImGEaaP+vB+fGQV+useg2L23IwambV +4EajcNxo2f8ESIl33rXp+2dtQem8Ob0y2WIC8bGoPW43nOIv4tOiJovGuFVDiOEjPqXSJDlqR6sA +1KGzqSX+DT+nHbrTUcELpNqsOO9VUCQFZUaTNE8tja3G1CEZ0o7KBWFxB3NH5YoZEr0ETc5OnKVI +rLsm9wIDAQABo4GOMIGLMB0GA1UdDgQWBBQLWOWLxkwVN6RAqTCpIb5HNlpW/zAOBgNVHQ8BAf8E +BAMCAQYwDwYDVR0TAQH/BAUwAwEB/zBJBgNVHR8EQjBAMD6gPKA6hjhodHRwOi8vY3JsLmNvbW9k +b2NhLmNvbS9DT01PRE9DZXJ0aWZpY2F0aW9uQXV0aG9yaXR5LmNybDANBgkqhkiG9w0BAQUFAAOC +AQEAPpiem/Yb6dc5t3iuHXIYSdOH5EOC6z/JqvWote9VfCFSZfnVDeFs9D6Mk3ORLgLETgdxb8CP +OGEIqB6BCsAvIC9Bi5HcSEW88cbeunZrM8gALTFGTO3nnc+IlP8zwFboJIYmuNg4ON8qa90SzMc/ +RxdMosIGlgnW2/4/PEZB31jiVg88O8EckzXZOFKs7sjsLjBOlDW0JB9LeGna8gI4zJVSk/BwJVmc +IGfE7vmLV2H0knZ9P4SNVbfo5azV8fUZVqZa+5Acr5Pr5RzUZ5ddBA6+C4OmF4O5MBKgxTMVBbkN ++8cFduPYSo38NBejxiEovjBFMR7HeL5YYTisO+IBZQ== +-----END CERTIFICATE----- + +Network Solutions Certificate Authority +======================================= +-----BEGIN CERTIFICATE----- +MIID5jCCAs6gAwIBAgIQV8szb8JcFuZHFhfjkDFo4DANBgkqhkiG9w0BAQUFADBiMQswCQYDVQQG +EwJVUzEhMB8GA1UEChMYTmV0d29yayBTb2x1dGlvbnMgTC5MLkMuMTAwLgYDVQQDEydOZXR3b3Jr +IFNvbHV0aW9ucyBDZXJ0aWZpY2F0ZSBBdXRob3JpdHkwHhcNMDYxMjAxMDAwMDAwWhcNMjkxMjMx +MjM1OTU5WjBiMQswCQYDVQQGEwJVUzEhMB8GA1UEChMYTmV0d29yayBTb2x1dGlvbnMgTC5MLkMu +MTAwLgYDVQQDEydOZXR3b3JrIFNvbHV0aW9ucyBDZXJ0aWZpY2F0ZSBBdXRob3JpdHkwggEiMA0G +CSqGSIb3DQEBAQUAA4IBDwAwggEKAoIBAQDkvH6SMG3G2I4rC7xGzuAnlt7e+foS0zwzc7MEL7xx +jOWftiJgPl9dzgn/ggwbmlFQGiaJ3dVhXRncEg8tCqJDXRfQNJIg6nPPOCwGJgl6cvf6UDL4wpPT +aaIjzkGxzOTVHzbRijr4jGPiFFlp7Q3Tf2vouAPlT2rlmGNpSAW+Lv8ztumXWWn4Zxmuk2GWRBXT +crA/vGp97Eh/jcOrqnErU2lBUzS1sLnFBgrEsEX1QV1uiUV7PTsmjHTC5dLRfbIR1PtYMiKagMnc +/Qzpf14Dl847ABSHJ3A4qY5usyd2mFHgBeMhqxrVhSI8KbWaFsWAqPS7azCPL0YCorEMIuDTAgMB +AAGjgZcwgZQwHQYDVR0OBBYEFCEwyfsA106Y2oeqKtCnLrFAMadMMA4GA1UdDwEB/wQEAwIBBjAP +BgNVHRMBAf8EBTADAQH/MFIGA1UdHwRLMEkwR6BFoEOGQWh0dHA6Ly9jcmwubmV0c29sc3NsLmNv +bS9OZXR3b3JrU29sdXRpb25zQ2VydGlmaWNhdGVBdXRob3JpdHkuY3JsMA0GCSqGSIb3DQEBBQUA +A4IBAQC7rkvnt1frf6ott3NHhWrB5KUd5Oc86fRZZXe1eltajSU24HqXLjjAV2CDmAaDn7l2em5Q +4LqILPxFzBiwmZVRDuwduIj/h1AcgsLj4DKAv6ALR8jDMe+ZZzKATxcheQxpXN5eNK4CtSbqUN9/ +GGUsyfJj4akH/nxxH2szJGoeBfcFaMBqEssuXmHLrijTfsK0ZpEmXzwuJF/LWA/rKOyvEZbz3Htv +wKeI8lN3s2Berq4o2jUsbzRF0ybh3uxbTydrFny9RAQYgrOJeRcQcT16ohZO9QHNpGxlaKFJdlxD +ydi8NmdspZS11My5vWo1ViHe2MPr+8ukYEywVaCge1ey +-----END CERTIFICATE----- + +WellsSecure Public Root Certificate Authority +============================================= +-----BEGIN CERTIFICATE----- +MIIEvTCCA6WgAwIBAgIBATANBgkqhkiG9w0BAQUFADCBhTELMAkGA1UEBhMCVVMxIDAeBgNVBAoM +F1dlbGxzIEZhcmdvIFdlbGxzU2VjdXJlMRwwGgYDVQQLDBNXZWxscyBGYXJnbyBCYW5rIE5BMTYw +NAYDVQQDDC1XZWxsc1NlY3VyZSBQdWJsaWMgUm9vdCBDZXJ0aWZpY2F0ZSBBdXRob3JpdHkwHhcN +MDcxMjEzMTcwNzU0WhcNMjIxMjE0MDAwNzU0WjCBhTELMAkGA1UEBhMCVVMxIDAeBgNVBAoMF1dl +bGxzIEZhcmdvIFdlbGxzU2VjdXJlMRwwGgYDVQQLDBNXZWxscyBGYXJnbyBCYW5rIE5BMTYwNAYD +VQQDDC1XZWxsc1NlY3VyZSBQdWJsaWMgUm9vdCBDZXJ0aWZpY2F0ZSBBdXRob3JpdHkwggEiMA0G +CSqGSIb3DQEBAQUAA4IBDwAwggEKAoIBAQDub7S9eeKPCCGeOARBJe+rWxxTkqxtnt3CxC5FlAM1 +iGd0V+PfjLindo8796jE2yljDpFoNoqXjopxaAkH5OjUDk/41itMpBb570OYj7OeUt9tkTmPOL13 +i0Nj67eT/DBMHAGTthP796EfvyXhdDcsHqRePGj4S78NuR4uNuip5Kf4D8uCdXw1LSLWwr8L87T8 +bJVhHlfXBIEyg1J55oNjz7fLY4sR4r1e6/aN7ZVyKLSsEmLpSjPmgzKuBXWVvYSV2ypcm44uDLiB +K0HmOFafSZtsdvqKXfcBeYF8wYNABf5x/Qw/zE5gCQ5lRxAvAcAFP4/4s0HvWkJ+We/SlwxlAgMB +AAGjggE0MIIBMDAPBgNVHRMBAf8EBTADAQH/MDkGA1UdHwQyMDAwLqAsoCqGKGh0dHA6Ly9jcmwu +cGtpLndlbGxzZmFyZ28uY29tL3dzcHJjYS5jcmwwDgYDVR0PAQH/BAQDAgHGMB0GA1UdDgQWBBQm +lRkQ2eihl5H/3BnZtQQ+0nMKajCBsgYDVR0jBIGqMIGngBQmlRkQ2eihl5H/3BnZtQQ+0nMKaqGB +i6SBiDCBhTELMAkGA1UEBhMCVVMxIDAeBgNVBAoMF1dlbGxzIEZhcmdvIFdlbGxzU2VjdXJlMRww +GgYDVQQLDBNXZWxscyBGYXJnbyBCYW5rIE5BMTYwNAYDVQQDDC1XZWxsc1NlY3VyZSBQdWJsaWMg +Um9vdCBDZXJ0aWZpY2F0ZSBBdXRob3JpdHmCAQEwDQYJKoZIhvcNAQEFBQADggEBALkVsUSRzCPI +K0134/iaeycNzXK7mQDKfGYZUMbVmO2rvwNa5U3lHshPcZeG1eMd/ZDJPHV3V3p9+N701NX3leZ0 +bh08rnyd2wIDBSxxSyU+B+NemvVmFymIGjifz6pBA4SXa5M4esowRBskRDPQ5NHcKDj0E0M1NSlj +qHyita04pO2t/caaH/+Xc/77szWnk4bGdpEA5qxRFsQnMlzbc9qlk1eOPm01JghZ1edE13YgY+es +E2fDbbFwRnzVlhE9iW9dqKHrjQrawx0zbKPqZxmamX9LPYNRKh3KL4YMon4QLSvUFpULB6ouFJJJ +tylv2G0xffX8oRAHh84vWdw+WNs= +-----END CERTIFICATE----- + +COMODO ECC Certification Authority +================================== +-----BEGIN CERTIFICATE----- +MIICiTCCAg+gAwIBAgIQH0evqmIAcFBUTAGem2OZKjAKBggqhkjOPQQDAzCBhTELMAkGA1UEBhMC +R0IxGzAZBgNVBAgTEkdyZWF0ZXIgTWFuY2hlc3RlcjEQMA4GA1UEBxMHU2FsZm9yZDEaMBgGA1UE +ChMRQ09NT0RPIENBIExpbWl0ZWQxKzApBgNVBAMTIkNPTU9ETyBFQ0MgQ2VydGlmaWNhdGlvbiBB +dXRob3JpdHkwHhcNMDgwMzA2MDAwMDAwWhcNMzgwMTE4MjM1OTU5WjCBhTELMAkGA1UEBhMCR0Ix +GzAZBgNVBAgTEkdyZWF0ZXIgTWFuY2hlc3RlcjEQMA4GA1UEBxMHU2FsZm9yZDEaMBgGA1UEChMR +Q09NT0RPIENBIExpbWl0ZWQxKzApBgNVBAMTIkNPTU9ETyBFQ0MgQ2VydGlmaWNhdGlvbiBBdXRo +b3JpdHkwdjAQBgcqhkjOPQIBBgUrgQQAIgNiAAQDR3svdcmCFYX7deSRFtSrYpn1PlILBs5BAH+X +4QokPB0BBO490o0JlwzgdeT6+3eKKvUDYEs2ixYjFq0JcfRK9ChQtP6IHG4/bC8vCVlbpVsLM5ni +wz2J+Wos77LTBumjQjBAMB0GA1UdDgQWBBR1cacZSBm8nZ3qQUfflMRId5nTeTAOBgNVHQ8BAf8E +BAMCAQYwDwYDVR0TAQH/BAUwAwEB/zAKBggqhkjOPQQDAwNoADBlAjEA7wNbeqy3eApyt4jf/7VG +FAkK+qDmfQjGGoe9GKhzvSbKYAydzpmfz1wPMOG+FDHqAjAU9JM8SaczepBGR7NjfRObTrdvGDeA +U/7dIOA1mjbRxwG55tzd8/8dLDoWV9mSOdY= +-----END CERTIFICATE----- + +IGC/A +===== +-----BEGIN CERTIFICATE----- +MIIEAjCCAuqgAwIBAgIFORFFEJQwDQYJKoZIhvcNAQEFBQAwgYUxCzAJBgNVBAYTAkZSMQ8wDQYD +VQQIEwZGcmFuY2UxDjAMBgNVBAcTBVBhcmlzMRAwDgYDVQQKEwdQTS9TR0ROMQ4wDAYDVQQLEwVE +Q1NTSTEOMAwGA1UEAxMFSUdDL0ExIzAhBgkqhkiG9w0BCQEWFGlnY2FAc2dkbi5wbS5nb3V2LmZy +MB4XDTAyMTIxMzE0MjkyM1oXDTIwMTAxNzE0MjkyMlowgYUxCzAJBgNVBAYTAkZSMQ8wDQYDVQQI +EwZGcmFuY2UxDjAMBgNVBAcTBVBhcmlzMRAwDgYDVQQKEwdQTS9TR0ROMQ4wDAYDVQQLEwVEQ1NT +STEOMAwGA1UEAxMFSUdDL0ExIzAhBgkqhkiG9w0BCQEWFGlnY2FAc2dkbi5wbS5nb3V2LmZyMIIB +IjANBgkqhkiG9w0BAQEFAAOCAQ8AMIIBCgKCAQEAsh/R0GLFMzvABIaIs9z4iPf930Pfeo2aSVz2 +TqrMHLmh6yeJ8kbpO0px1R2OLc/mratjUMdUC24SyZA2xtgv2pGqaMVy/hcKshd+ebUyiHDKcMCW +So7kVc0dJ5S/znIq7Fz5cyD+vfcuiWe4u0dzEvfRNWk68gq5rv9GQkaiv6GFGvm/5P9JhfejcIYy +HF2fYPepraX/z9E0+X1bF8bc1g4oa8Ld8fUzaJ1O/Id8NhLWo4DoQw1VYZTqZDdH6nfK0LJYBcNd +frGoRpAxVs5wKpayMLh35nnAvSk7/ZR3TL0gzUEl4C7HG7vupARB0l2tEmqKm0f7yd1GQOGdPDPQ +tQIDAQABo3cwdTAPBgNVHRMBAf8EBTADAQH/MAsGA1UdDwQEAwIBRjAVBgNVHSAEDjAMMAoGCCqB +egF5AQEBMB0GA1UdDgQWBBSjBS8YYFDCiQrdKyFP/45OqDAxNjAfBgNVHSMEGDAWgBSjBS8YYFDC +iQrdKyFP/45OqDAxNjANBgkqhkiG9w0BAQUFAAOCAQEABdwm2Pp3FURo/C9mOnTgXeQp/wYHE4RK +q89toB9RlPhJy3Q2FLwV3duJL92PoF189RLrn544pEfMs5bZvpwlqwN+Mw+VgQ39FuCIvjfwbF3Q +MZsyK10XZZOYYLxuj7GoPB7ZHPOpJkL5ZB3C55L29B5aqhlSXa/oovdgoPaN8In1buAKBQGVyYsg +Crpa/JosPL3Dt8ldeCUFP1YUmwza+zpI/pdpXsoQhvdOlgQITeywvl3cO45Pwf2aNjSaTFR+FwNI +lQgRHAdvhQh+XU3Endv7rs6y0bO4g2wdsrN58dhwmX7wEwLOXt1R0982gaEbeC9xs/FZTEYYKKuF +0mBWWg== +-----END CERTIFICATE----- + +Security Communication EV RootCA1 +================================= +-----BEGIN CERTIFICATE----- +MIIDfTCCAmWgAwIBAgIBADANBgkqhkiG9w0BAQUFADBgMQswCQYDVQQGEwJKUDElMCMGA1UEChMc +U0VDT00gVHJ1c3QgU3lzdGVtcyBDTy4sTFRELjEqMCgGA1UECxMhU2VjdXJpdHkgQ29tbXVuaWNh +dGlvbiBFViBSb290Q0ExMB4XDTA3MDYwNjAyMTIzMloXDTM3MDYwNjAyMTIzMlowYDELMAkGA1UE +BhMCSlAxJTAjBgNVBAoTHFNFQ09NIFRydXN0IFN5c3RlbXMgQ08uLExURC4xKjAoBgNVBAsTIVNl +Y3VyaXR5IENvbW11bmljYXRpb24gRVYgUm9vdENBMTCCASIwDQYJKoZIhvcNAQEBBQADggEPADCC +AQoCggEBALx/7FebJOD+nLpCeamIivqA4PUHKUPqjgo0No0c+qe1OXj/l3X3L+SqawSERMqm4miO +/VVQYg+kcQ7OBzgtQoVQrTyWb4vVog7P3kmJPdZkLjjlHmy1V4qe70gOzXppFodEtZDkBp2uoQSX +WHnvIEqCa4wiv+wfD+mEce3xDuS4GBPMVjZd0ZoeUWs5bmB2iDQL87PRsJ3KYeJkHcFGB7hj3R4z +ZbOOCVVSPbW9/wfrrWFVGCypaZhKqkDFMxRldAD5kd6vA0jFQFTcD4SQaCDFkpbcLuUCRarAX1T4 +bepJz11sS6/vmsJWXMY1VkJqMF/Cq/biPT+zyRGPMUzXn0kCAwEAAaNCMEAwHQYDVR0OBBYEFDVK +9U2vP9eCOKyrcWUXdYydVZPmMA4GA1UdDwEB/wQEAwIBBjAPBgNVHRMBAf8EBTADAQH/MA0GCSqG +SIb3DQEBBQUAA4IBAQCoh+ns+EBnXcPBZsdAS5f8hxOQWsTvoMpfi7ent/HWtWS3irO4G8za+6xm +iEHO6Pzk2x6Ipu0nUBsCMCRGef4Eh3CXQHPRwMFXGZpppSeZq51ihPZRwSzJIxXYKLerJRO1RuGG +Av8mjMSIkh1W/hln8lXkgKNrnKt34VFxDSDbEJrbvXZ5B3eZKK2aXtqxT0QsNY6llsf9g/BYxnnW +mHyojf6GPgcWkuF75x3sM3Z+Qi5KhfmRiWiEA4Glm5q+4zfFVKtWOxgtQaQM+ELbmaDgcm+7XeEW +T1MKZPlO9L9OVL14bIjqv5wTJMJwaaJ/D8g8rQjJsJhAoyrniIPtd490 +-----END CERTIFICATE----- + +OISTE WISeKey Global Root GA CA +=============================== +-----BEGIN CERTIFICATE----- +MIID8TCCAtmgAwIBAgIQQT1yx/RrH4FDffHSKFTfmjANBgkqhkiG9w0BAQUFADCBijELMAkGA1UE +BhMCQ0gxEDAOBgNVBAoTB1dJU2VLZXkxGzAZBgNVBAsTEkNvcHlyaWdodCAoYykgMjAwNTEiMCAG +A1UECxMZT0lTVEUgRm91bmRhdGlvbiBFbmRvcnNlZDEoMCYGA1UEAxMfT0lTVEUgV0lTZUtleSBH +bG9iYWwgUm9vdCBHQSBDQTAeFw0wNTEyMTExNjAzNDRaFw0zNzEyMTExNjA5NTFaMIGKMQswCQYD +VQQGEwJDSDEQMA4GA1UEChMHV0lTZUtleTEbMBkGA1UECxMSQ29weXJpZ2h0IChjKSAyMDA1MSIw +IAYDVQQLExlPSVNURSBGb3VuZGF0aW9uIEVuZG9yc2VkMSgwJgYDVQQDEx9PSVNURSBXSVNlS2V5 +IEdsb2JhbCBSb290IEdBIENBMIIBIjANBgkqhkiG9w0BAQEFAAOCAQ8AMIIBCgKCAQEAy0+zAJs9 +Nt350UlqaxBJH+zYK7LG+DKBKUOVTJoZIyEVRd7jyBxRVVuuk+g3/ytr6dTqvirdqFEr12bDYVxg +Asj1znJ7O7jyTmUIms2kahnBAbtzptf2w93NvKSLtZlhuAGio9RN1AU9ka34tAhxZK9w8RxrfvbD +d50kc3vkDIzh2TbhmYsFmQvtRTEJysIA2/dyoJaqlYfQjse2YXMNdmaM3Bu0Y6Kff5MTMPGhJ9vZ +/yxViJGg4E8HsChWjBgbl0SOid3gF27nKu+POQoxhILYQBRJLnpB5Kf+42TMwVlxSywhp1t94B3R +LoGbw9ho972WG6xwsRYUC9tguSYBBQIDAQABo1EwTzALBgNVHQ8EBAMCAYYwDwYDVR0TAQH/BAUw +AwEB/zAdBgNVHQ4EFgQUswN+rja8sHnR3JQmthG+IbJphpQwEAYJKwYBBAGCNxUBBAMCAQAwDQYJ +KoZIhvcNAQEFBQADggEBAEuh/wuHbrP5wUOxSPMowB0uyQlB+pQAHKSkq0lPjz0e701vvbyk9vIm +MMkQyh2I+3QZH4VFvbBsUfk2ftv1TDI6QU9bR8/oCy22xBmddMVHxjtqD6wU2zz0c5ypBd8A3HR4 ++vg1YFkCExh8vPtNsCBtQ7tgMHpnM1zFmdH4LTlSc/uMqpclXHLZCB6rTjzjgTGfA6b7wP4piFXa +hNVQA7bihKOmNqoROgHhGEvWRGizPflTdISzRpFGlgC3gCy24eMQ4tui5yiPAZZiFj4A4xylNoEY +okxSdsARo27mHbrjWr42U8U+dY+GaSlYU7Wcu2+fXMUY7N0v4ZjJ/L7fCg0= +-----END CERTIFICATE----- + +S-TRUST Authentication and Encryption Root CA 2005 PN +===================================================== +-----BEGIN CERTIFICATE----- +MIIEezCCA2OgAwIBAgIQNxkY5lNUfBq1uMtZWts1tzANBgkqhkiG9w0BAQUFADCBrjELMAkGA1UE +BhMCREUxIDAeBgNVBAgTF0JhZGVuLVd1ZXJ0dGVtYmVyZyAoQlcpMRIwEAYDVQQHEwlTdHV0dGdh +cnQxKTAnBgNVBAoTIERldXRzY2hlciBTcGFya2Fzc2VuIFZlcmxhZyBHbWJIMT4wPAYDVQQDEzVT +LVRSVVNUIEF1dGhlbnRpY2F0aW9uIGFuZCBFbmNyeXB0aW9uIFJvb3QgQ0EgMjAwNTpQTjAeFw0w +NTA2MjIwMDAwMDBaFw0zMDA2MjEyMzU5NTlaMIGuMQswCQYDVQQGEwJERTEgMB4GA1UECBMXQmFk +ZW4tV3VlcnR0ZW1iZXJnIChCVykxEjAQBgNVBAcTCVN0dXR0Z2FydDEpMCcGA1UEChMgRGV1dHNj +aGVyIFNwYXJrYXNzZW4gVmVybGFnIEdtYkgxPjA8BgNVBAMTNVMtVFJVU1QgQXV0aGVudGljYXRp +b24gYW5kIEVuY3J5cHRpb24gUm9vdCBDQSAyMDA1OlBOMIIBIjANBgkqhkiG9w0BAQEFAAOCAQ8A +MIIBCgKCAQEA2bVKwdMz6tNGs9HiTNL1toPQb9UY6ZOvJ44TzbUlNlA0EmQpoVXhOmCTnijJ4/Ob +4QSwI7+Vio5bG0F/WsPoTUzVJBY+h0jUJ67m91MduwwA7z5hca2/OnpYH5Q9XIHV1W/fuJvS9eXL +g3KSwlOyggLrra1fFi2SU3bxibYs9cEv4KdKb6AwajLrmnQDaHgTncovmwsdvs91DSaXm8f1Xgqf +eN+zvOyauu9VjxuapgdjKRdZYgkqeQd3peDRF2npW932kKvimAoA0SVtnteFhy+S8dF2g08LOlk3 +KC8zpxdQ1iALCvQm+Z845y2kuJuJja2tyWp9iRe79n+Ag3rm7QIDAQABo4GSMIGPMBIGA1UdEwEB +/wQIMAYBAf8CAQAwDgYDVR0PAQH/BAQDAgEGMCkGA1UdEQQiMCCkHjAcMRowGAYDVQQDExFTVFJv +bmxpbmUxLTIwNDgtNTAdBgNVHQ4EFgQUD8oeXHngovMpttKFswtKtWXsa1IwHwYDVR0jBBgwFoAU +D8oeXHngovMpttKFswtKtWXsa1IwDQYJKoZIhvcNAQEFBQADggEBAK8B8O0ZPCjoTVy7pWMciDMD +pwCHpB8gq9Yc4wYfl35UvbfRssnV2oDsF9eK9XvCAPbpEW+EoFolMeKJ+aQAPzFoLtU96G7m1R08 +P7K9n3frndOMusDXtk3sU5wPBG7qNWdX4wple5A64U8+wwCSersFiXOMy6ZNwPv2AtawB6MDwidA +nwzkhYItr5pCHdDHjfhA7p0GVxzZotiAFP7hYy0yh9WUUpY6RsZxlj33mA6ykaqP2vROJAA5Veit +F7nTNCtKqUDMFypVZUF0Qn71wK/Ik63yGFs9iQzbRzkk+OBM8h+wPQrKBU6JIRrjKpms/H+h8Q8b +Hz2eBIPdltkdOpQ= +-----END CERTIFICATE----- + +Microsec e-Szigno Root CA +========================= +-----BEGIN CERTIFICATE----- +MIIHqDCCBpCgAwIBAgIRAMy4579OKRr9otxmpRwsDxEwDQYJKoZIhvcNAQEFBQAwcjELMAkGA1UE +BhMCSFUxETAPBgNVBAcTCEJ1ZGFwZXN0MRYwFAYDVQQKEw1NaWNyb3NlYyBMdGQuMRQwEgYDVQQL +EwtlLVN6aWdubyBDQTEiMCAGA1UEAxMZTWljcm9zZWMgZS1Temlnbm8gUm9vdCBDQTAeFw0wNTA0 +MDYxMjI4NDRaFw0xNzA0MDYxMjI4NDRaMHIxCzAJBgNVBAYTAkhVMREwDwYDVQQHEwhCdWRhcGVz +dDEWMBQGA1UEChMNTWljcm9zZWMgTHRkLjEUMBIGA1UECxMLZS1Temlnbm8gQ0ExIjAgBgNVBAMT +GU1pY3Jvc2VjIGUtU3ppZ25vIFJvb3QgQ0EwggEiMA0GCSqGSIb3DQEBAQUAA4IBDwAwggEKAoIB +AQDtyADVgXvNOABHzNuEwSFpLHSQDCHZU4ftPkNEU6+r+ICbPHiN1I2uuO/TEdyB5s87lozWbxXG +d36hL+BfkrYn13aaHUM86tnsL+4582pnS4uCzyL4ZVX+LMsvfUh6PXX5qqAnu3jCBspRwn5mS6/N +oqdNAoI/gqyFxuEPkEeZlApxcpMqyabAvjxWTHOSJ/FrtfX9/DAFYJLG65Z+AZHCabEeHXtTRbjc +QR/Ji3HWVBTji1R4P770Yjtb9aPs1ZJ04nQw7wHb4dSrmZsqa/i9phyGI0Jf7Enemotb9HI6QMVJ +PqW+jqpx62z69Rrkav17fVVA71hu5tnVvCSrwe+3AgMBAAGjggQ3MIIEMzBnBggrBgEFBQcBAQRb +MFkwKAYIKwYBBQUHMAGGHGh0dHBzOi8vcmNhLmUtc3ppZ25vLmh1L29jc3AwLQYIKwYBBQUHMAKG +IWh0dHA6Ly93d3cuZS1zemlnbm8uaHUvUm9vdENBLmNydDAPBgNVHRMBAf8EBTADAQH/MIIBcwYD +VR0gBIIBajCCAWYwggFiBgwrBgEEAYGoGAIBAQEwggFQMCgGCCsGAQUFBwIBFhxodHRwOi8vd3d3 +LmUtc3ppZ25vLmh1L1NaU1ovMIIBIgYIKwYBBQUHAgIwggEUHoIBEABBACAAdABhAG4A+gBzAO0A +dAB2AOEAbgB5ACAA6QByAHQAZQBsAG0AZQB6AOkAcwDpAGgAZQB6ACAA6QBzACAAZQBsAGYAbwBn +AGEAZADhAHMA4QBoAG8AegAgAGEAIABTAHoAbwBsAGcA4QBsAHQAYQB0APMAIABTAHoAbwBsAGcA +4QBsAHQAYQB0AOEAcwBpACAAUwB6AGEAYgDhAGwAeQB6AGEAdABhACAAcwB6AGUAcgBpAG4AdAAg +AGsAZQBsAGwAIABlAGwAagDhAHIAbgBpADoAIABoAHQAdABwADoALwAvAHcAdwB3AC4AZQAtAHMA +egBpAGcAbgBvAC4AaAB1AC8AUwBaAFMAWgAvMIHIBgNVHR8EgcAwgb0wgbqggbeggbSGIWh0dHA6 +Ly93d3cuZS1zemlnbm8uaHUvUm9vdENBLmNybIaBjmxkYXA6Ly9sZGFwLmUtc3ppZ25vLmh1L0NO +PU1pY3Jvc2VjJTIwZS1Temlnbm8lMjBSb290JTIwQ0EsT1U9ZS1Temlnbm8lMjBDQSxPPU1pY3Jv +c2VjJTIwTHRkLixMPUJ1ZGFwZXN0LEM9SFU/Y2VydGlmaWNhdGVSZXZvY2F0aW9uTGlzdDtiaW5h +cnkwDgYDVR0PAQH/BAQDAgEGMIGWBgNVHREEgY4wgYuBEGluZm9AZS1zemlnbm8uaHWkdzB1MSMw +IQYDVQQDDBpNaWNyb3NlYyBlLVN6aWduw7MgUm9vdCBDQTEWMBQGA1UECwwNZS1TemlnbsOzIEhT +WjEWMBQGA1UEChMNTWljcm9zZWMgS2Z0LjERMA8GA1UEBxMIQnVkYXBlc3QxCzAJBgNVBAYTAkhV +MIGsBgNVHSMEgaQwgaGAFMegSXUWYYTbMUuE0vE3QJDvTtz3oXakdDByMQswCQYDVQQGEwJIVTER +MA8GA1UEBxMIQnVkYXBlc3QxFjAUBgNVBAoTDU1pY3Jvc2VjIEx0ZC4xFDASBgNVBAsTC2UtU3pp +Z25vIENBMSIwIAYDVQQDExlNaWNyb3NlYyBlLVN6aWdubyBSb290IENBghEAzLjnv04pGv2i3Gal +HCwPETAdBgNVHQ4EFgQUx6BJdRZhhNsxS4TS8TdAkO9O3PcwDQYJKoZIhvcNAQEFBQADggEBANMT +nGZjWS7KXHAM/IO8VbH0jgdsZifOwTsgqRy7RlRw7lrMoHfqaEQn6/Ip3Xep1fvj1KcExJW4C+FE +aGAHQzAxQmHl7tnlJNUb3+FKG6qfx1/4ehHqE5MAyopYse7tDk2016g2JnzgOsHVV4Lxdbb9iV/a +86g4nzUGCM4ilb7N1fy+W955a9x6qWVmvrElWl/tftOsRm1M9DKHtCAE4Gx4sHfRhUZLphK3dehK +yVZs15KrnfVJONJPU+NVkBHbmJbGSfI+9J8b4PeI3CVimUTYc78/MPMMNz7UwiiAc7EBt51alhQB +S6kRnSlqLtBdgcDPsiBDxwPgN05dCtxZICU= +-----END CERTIFICATE----- + +Certigna +======== +-----BEGIN CERTIFICATE----- +MIIDqDCCApCgAwIBAgIJAP7c4wEPyUj/MA0GCSqGSIb3DQEBBQUAMDQxCzAJBgNVBAYTAkZSMRIw +EAYDVQQKDAlEaGlteW90aXMxETAPBgNVBAMMCENlcnRpZ25hMB4XDTA3MDYyOTE1MTMwNVoXDTI3 +MDYyOTE1MTMwNVowNDELMAkGA1UEBhMCRlIxEjAQBgNVBAoMCURoaW15b3RpczERMA8GA1UEAwwI +Q2VydGlnbmEwggEiMA0GCSqGSIb3DQEBAQUAA4IBDwAwggEKAoIBAQDIaPHJ1tazNHUmgh7stL7q +XOEm7RFHYeGifBZ4QCHkYJ5ayGPhxLGWkv8YbWkj4Sti993iNi+RB7lIzw7sebYs5zRLcAglozyH +GxnygQcPOJAZ0xH+hrTy0V4eHpbNgGzOOzGTtvKg0KmVEn2lmsxryIRWijOp5yIVUxbwzBfsV1/p +ogqYCd7jX5xv3EjjhQsVWqa6n6xI4wmy9/Qy3l40vhx4XUJbzg4ij02Q130yGLMLLGq/jj8UEYkg +DncUtT2UCIf3JR7VsmAA7G8qKCVuKj4YYxclPz5EIBb2JsglrgVKtOdjLPOMFlN+XPsRGgjBRmKf +Irjxwo1p3Po6WAbfAgMBAAGjgbwwgbkwDwYDVR0TAQH/BAUwAwEB/zAdBgNVHQ4EFgQUGu3+QTmQ +tCRZvgHyUtVF9lo53BEwZAYDVR0jBF0wW4AUGu3+QTmQtCRZvgHyUtVF9lo53BGhOKQ2MDQxCzAJ +BgNVBAYTAkZSMRIwEAYDVQQKDAlEaGlteW90aXMxETAPBgNVBAMMCENlcnRpZ25hggkA/tzjAQ/J +SP8wDgYDVR0PAQH/BAQDAgEGMBEGCWCGSAGG+EIBAQQEAwIABzANBgkqhkiG9w0BAQUFAAOCAQEA +hQMeknH2Qq/ho2Ge6/PAD/Kl1NqV5ta+aDY9fm4fTIrv0Q8hbV6lUmPOEvjvKtpv6zf+EwLHyzs+ +ImvaYS5/1HI93TDhHkxAGYwP15zRgzB7mFncfca5DClMoTOi62c6ZYTTluLtdkVwj7Ur3vkj1klu +PBS1xp81HlDQwY9qcEQCYsuuHWhBp6pX6FOqB9IG9tUUBguRA3UsbHK1YZWaDYu5Def131TN3ubY +1gkIl2PlwS6wt0QmwCbAr1UwnjvVNioZBPRcHv/PLLf/0P2HQBHVESO7SMAhqaQoLf0V+LBOK/Qw +WyH8EZE0vkHve52Xdf+XlcCWWC/qu0bXu+TZLg== +-----END CERTIFICATE----- + +AC Ra\xC3\xADz Certic\xC3\xA1mara S.A. +====================================== +-----BEGIN CERTIFICATE----- +MIIGZjCCBE6gAwIBAgIPB35Sk3vgFeNX8GmMy+wMMA0GCSqGSIb3DQEBBQUAMHsxCzAJBgNVBAYT +AkNPMUcwRQYDVQQKDD5Tb2NpZWRhZCBDYW1lcmFsIGRlIENlcnRpZmljYWNpw7NuIERpZ2l0YWwg +LSBDZXJ0aWPDoW1hcmEgUy5BLjEjMCEGA1UEAwwaQUMgUmHDrXogQ2VydGljw6FtYXJhIFMuQS4w +HhcNMDYxMTI3MjA0NjI5WhcNMzAwNDAyMjE0MjAyWjB7MQswCQYDVQQGEwJDTzFHMEUGA1UECgw+ +U29jaWVkYWQgQ2FtZXJhbCBkZSBDZXJ0aWZpY2FjacOzbiBEaWdpdGFsIC0gQ2VydGljw6FtYXJh +IFMuQS4xIzAhBgNVBAMMGkFDIFJhw616IENlcnRpY8OhbWFyYSBTLkEuMIICIjANBgkqhkiG9w0B +AQEFAAOCAg8AMIICCgKCAgEAq2uJo1PMSCMI+8PPUZYILrgIem08kBeGqentLhM0R7LQcNzJPNCN +yu5LF6vQhbCnIwTLqKL85XXbQMpiiY9QngE9JlsYhBzLfDe3fezTf3MZsGqy2IiKLUV0qPezuMDU +2s0iiXRNWhU5cxh0T7XrmafBHoi0wpOQY5fzp6cSsgkiBzPZkc0OnB8OIMfuuzONj8LSWKdf/WU3 +4ojC2I+GdV75LaeHM/J4Ny+LvB2GNzmxlPLYvEqcgxhaBvzz1NS6jBUJJfD5to0EfhcSM2tXSExP +2yYe68yQ54v5aHxwD6Mq0Do43zeX4lvegGHTgNiRg0JaTASJaBE8rF9ogEHMYELODVoqDA+bMMCm +8Ibbq0nXl21Ii/kDwFJnmxL3wvIumGVC2daa49AZMQyth9VXAnow6IYm+48jilSH5L887uvDdUhf +HjlvgWJsxS3EF1QZtzeNnDeRyPYL1epjb4OsOMLzP96a++EjYfDIJss2yKHzMI+ko6Kh3VOz3vCa +Mh+DkXkwwakfU5tTohVTP92dsxA7SH2JD/ztA/X7JWR1DhcZDY8AFmd5ekD8LVkH2ZD6mq093ICK +5lw1omdMEWux+IBkAC1vImHFrEsm5VoQgpukg3s0956JkSCXjrdCx2bD0Omk1vUgjcTDlaxECp1b +czwmPS9KvqfJpxAe+59QafMCAwEAAaOB5jCB4zAPBgNVHRMBAf8EBTADAQH/MA4GA1UdDwEB/wQE +AwIBBjAdBgNVHQ4EFgQU0QnQ6dfOeXRU+Tows/RtLAMDG2gwgaAGA1UdIASBmDCBlTCBkgYEVR0g +ADCBiTArBggrBgEFBQcCARYfaHR0cDovL3d3dy5jZXJ0aWNhbWFyYS5jb20vZHBjLzBaBggrBgEF +BQcCAjBOGkxMaW1pdGFjaW9uZXMgZGUgZ2FyYW507WFzIGRlIGVzdGUgY2VydGlmaWNhZG8gc2Ug +cHVlZGVuIGVuY29udHJhciBlbiBsYSBEUEMuMA0GCSqGSIb3DQEBBQUAA4ICAQBclLW4RZFNjmEf +AygPU3zmpFmps4p6xbD/CHwso3EcIRNnoZUSQDWDg4902zNc8El2CoFS3UnUmjIz75uny3XlesuX +EpBcunvFm9+7OSPI/5jOCk0iAUgHforA1SBClETvv3eiiWdIG0ADBaGJ7M9i4z0ldma/Jre7Ir5v +/zlXdLp6yQGVwZVR6Kss+LGGIOk/yzVb0hfpKv6DExdA7ohiZVvVO2Dpezy4ydV/NgIlqmjCMRW3 +MGXrfx1IebHPOeJCgBbT9ZMj/EyXyVo3bHwi2ErN0o42gzmRkBDI8ck1fj+404HGIGQatlDCIaR4 +3NAvO2STdPCWkPHv+wlaNECW8DYSwaN0jJN+Qd53i+yG2dIPPy3RzECiiWZIHiCznCNZc6lEc7wk +eZBWN7PGKX6jD/EpOe9+XCgycDWs2rjIdWb8m0w5R44bb5tNAlQiM+9hup4phO9OSzNHdpdqy35f +/RWmnkJDW2ZaiogN9xa5P1FlK2Zqi9E4UqLWRhH6/JocdJ6PlwsCT2TG9WjTSy3/pDceiz+/RL5h +RqGEPQgnTIEgd4kI6mdAXmwIUV80WoyWaM3X94nCHNMyAK9Sy9NgWyo6R35rMDOhYil/SrnhLecU +Iw4OGEfhefwVVdCx/CVxY3UzHCMrr1zZ7Ud3YA47Dx7SwNxkBYn8eNZcLCZDqQ== +-----END CERTIFICATE----- + +TC TrustCenter Class 2 CA II +============================ +-----BEGIN CERTIFICATE----- +MIIEqjCCA5KgAwIBAgIOLmoAAQACH9dSISwRXDswDQYJKoZIhvcNAQEFBQAwdjELMAkGA1UEBhMC +REUxHDAaBgNVBAoTE1RDIFRydXN0Q2VudGVyIEdtYkgxIjAgBgNVBAsTGVRDIFRydXN0Q2VudGVy +IENsYXNzIDIgQ0ExJTAjBgNVBAMTHFRDIFRydXN0Q2VudGVyIENsYXNzIDIgQ0EgSUkwHhcNMDYw +MTEyMTQzODQzWhcNMjUxMjMxMjI1OTU5WjB2MQswCQYDVQQGEwJERTEcMBoGA1UEChMTVEMgVHJ1 +c3RDZW50ZXIgR21iSDEiMCAGA1UECxMZVEMgVHJ1c3RDZW50ZXIgQ2xhc3MgMiBDQTElMCMGA1UE +AxMcVEMgVHJ1c3RDZW50ZXIgQ2xhc3MgMiBDQSBJSTCCASIwDQYJKoZIhvcNAQEBBQADggEPADCC +AQoCggEBAKuAh5uO8MN8h9foJIIRszzdQ2Lu+MNF2ujhoF/RKrLqk2jftMjWQ+nEdVl//OEd+DFw +IxuInie5e/060smp6RQvkL4DUsFJzfb95AhmC1eKokKguNV/aVyQMrKXDcpK3EY+AlWJU+MaWss2 +xgdW94zPEfRMuzBwBJWl9jmM/XOBCH2JXjIeIqkiRUuwZi4wzJ9l/fzLganx4Duvo4bRierERXlQ +Xa7pIXSSTYtZgo+U4+lK8edJsBTj9WLL1XK9H7nSn6DNqPoByNkN39r8R52zyFTfSUrxIan+GE7u +SNQZu+995OKdy1u2bv/jzVrndIIFuoAlOMvkaZ6vQaoahPUCAwEAAaOCATQwggEwMA8GA1UdEwEB +/wQFMAMBAf8wDgYDVR0PAQH/BAQDAgEGMB0GA1UdDgQWBBTjq1RMgKHbVkO3kUrL84J6E1wIqzCB +7QYDVR0fBIHlMIHiMIHfoIHcoIHZhjVodHRwOi8vd3d3LnRydXN0Y2VudGVyLmRlL2NybC92Mi90 +Y19jbGFzc18yX2NhX0lJLmNybIaBn2xkYXA6Ly93d3cudHJ1c3RjZW50ZXIuZGUvQ049VEMlMjBU +cnVzdENlbnRlciUyMENsYXNzJTIwMiUyMENBJTIwSUksTz1UQyUyMFRydXN0Q2VudGVyJTIwR21i +SCxPVT1yb290Y2VydHMsREM9dHJ1c3RjZW50ZXIsREM9ZGU/Y2VydGlmaWNhdGVSZXZvY2F0aW9u +TGlzdD9iYXNlPzANBgkqhkiG9w0BAQUFAAOCAQEAjNfffu4bgBCzg/XbEeprS6iSGNn3Bzn1LL4G +dXpoUxUc6krtXvwjshOg0wn/9vYua0Fxec3ibf2uWWuFHbhOIprtZjluS5TmVfwLG4t3wVMTZonZ +KNaL80VKY7f9ewthXbhtvsPcW3nS7Yblok2+XnR8au0WOB9/WIFaGusyiC2y8zl3gK9etmF1Kdsj +TYjKUCjLhdLTEKJZbtOTVAB6okaVhgWcqRmY5TFyDADiZ9lA4CQze28suVyrZZ0srHbqNZn1l7kP +JOzHdiEoZa5X6AeIdUpWoNIFOqTmjZKILPPy4cHGYdtBxceb9w4aUUXCYWvcZCcXjFq32nQozZfk +vQ== +-----END CERTIFICATE----- + +TC TrustCenter Class 3 CA II +============================ +-----BEGIN CERTIFICATE----- +MIIEqjCCA5KgAwIBAgIOSkcAAQAC5aBd1j8AUb8wDQYJKoZIhvcNAQEFBQAwdjELMAkGA1UEBhMC +REUxHDAaBgNVBAoTE1RDIFRydXN0Q2VudGVyIEdtYkgxIjAgBgNVBAsTGVRDIFRydXN0Q2VudGVy +IENsYXNzIDMgQ0ExJTAjBgNVBAMTHFRDIFRydXN0Q2VudGVyIENsYXNzIDMgQ0EgSUkwHhcNMDYw +MTEyMTQ0MTU3WhcNMjUxMjMxMjI1OTU5WjB2MQswCQYDVQQGEwJERTEcMBoGA1UEChMTVEMgVHJ1 +c3RDZW50ZXIgR21iSDEiMCAGA1UECxMZVEMgVHJ1c3RDZW50ZXIgQ2xhc3MgMyBDQTElMCMGA1UE +AxMcVEMgVHJ1c3RDZW50ZXIgQ2xhc3MgMyBDQSBJSTCCASIwDQYJKoZIhvcNAQEBBQADggEPADCC +AQoCggEBALTgu1G7OVyLBMVMeRwjhjEQY0NVJz/GRcekPewJDRoeIMJWHt4bNwcwIi9v8Qbxq63W +yKthoy9DxLCyLfzDlml7forkzMA5EpBCYMnMNWju2l+QVl/NHE1bWEnrDgFPZPosPIlY2C8u4rBo +6SI7dYnWRBpl8huXJh0obazovVkdKyT21oQDZogkAHhg8fir/gKya/si+zXmFtGt9i4S5Po1auUZ +uV3bOx4a+9P/FRQI2AlqukWdFHlgfa9Aigdzs5OW03Q0jTo3Kd5c7PXuLjHCINy+8U9/I1LZW+Jk +2ZyqBwi1Rb3R0DHBq1SfqdLDYmAD8bs5SpJKPQq5ncWg/jcCAwEAAaOCATQwggEwMA8GA1UdEwEB +/wQFMAMBAf8wDgYDVR0PAQH/BAQDAgEGMB0GA1UdDgQWBBTUovyfs8PYA9NXXAek0CSnwPIA1DCB +7QYDVR0fBIHlMIHiMIHfoIHcoIHZhjVodHRwOi8vd3d3LnRydXN0Y2VudGVyLmRlL2NybC92Mi90 +Y19jbGFzc18zX2NhX0lJLmNybIaBn2xkYXA6Ly93d3cudHJ1c3RjZW50ZXIuZGUvQ049VEMlMjBU +cnVzdENlbnRlciUyMENsYXNzJTIwMyUyMENBJTIwSUksTz1UQyUyMFRydXN0Q2VudGVyJTIwR21i +SCxPVT1yb290Y2VydHMsREM9dHJ1c3RjZW50ZXIsREM9ZGU/Y2VydGlmaWNhdGVSZXZvY2F0aW9u +TGlzdD9iYXNlPzANBgkqhkiG9w0BAQUFAAOCAQEANmDkcPcGIEPZIxpC8vijsrlNirTzwppVMXzE +O2eatN9NDoqTSheLG43KieHPOh6sHfGcMrSOWXaiQYUlN6AT0PV8TtXqluJucsG7Kv5sbviRmEb8 +yRtXW+rIGjs/sFGYPAfaLFkB2otE6OF0/ado3VS6g0bsyEa1+K+XwDsJHI/OcpY9M1ZwvJbL2NV9 +IJqDnxrcOfHFcqMRA/07QlIp2+gB95tejNaNhk4Z+rwcvsUhpYeeeC422wlxo3I0+GzjBgnyXlal +092Y+tTmBvTwtiBjS+opvaqCZh77gaqnN60TGOaSw4HBM7uIHqHn4rS9MWwOUT1v+5ZWgOI2F9Hc +5A== +-----END CERTIFICATE----- + +TC TrustCenter Universal CA I +============================= +-----BEGIN CERTIFICATE----- +MIID3TCCAsWgAwIBAgIOHaIAAQAC7LdggHiNtgYwDQYJKoZIhvcNAQEFBQAweTELMAkGA1UEBhMC +REUxHDAaBgNVBAoTE1RDIFRydXN0Q2VudGVyIEdtYkgxJDAiBgNVBAsTG1RDIFRydXN0Q2VudGVy +IFVuaXZlcnNhbCBDQTEmMCQGA1UEAxMdVEMgVHJ1c3RDZW50ZXIgVW5pdmVyc2FsIENBIEkwHhcN +MDYwMzIyMTU1NDI4WhcNMjUxMjMxMjI1OTU5WjB5MQswCQYDVQQGEwJERTEcMBoGA1UEChMTVEMg +VHJ1c3RDZW50ZXIgR21iSDEkMCIGA1UECxMbVEMgVHJ1c3RDZW50ZXIgVW5pdmVyc2FsIENBMSYw +JAYDVQQDEx1UQyBUcnVzdENlbnRlciBVbml2ZXJzYWwgQ0EgSTCCASIwDQYJKoZIhvcNAQEBBQAD +ggEPADCCAQoCggEBAKR3I5ZEr5D0MacQ9CaHnPM42Q9e3s9B6DGtxnSRJJZ4Hgmgm5qVSkr1YnwC +qMqs+1oEdjneX/H5s7/zA1hV0qq34wQi0fiU2iIIAI3TfCZdzHd55yx4Oagmcw6iXSVphU9VDprv +xrlE4Vc93x9UIuVvZaozhDrzznq+VZeujRIPFDPiUHDDSYcTvFHe15gSWu86gzOSBnWLknwSaHtw +ag+1m7Z3W0hZneTvWq3zwZ7U10VOylY0Ibw+F1tvdwxIAUMpsN0/lm7mlaoMwCC2/T42J5zjXM9O +gdwZu5GQfezmlwQek8wiSdeXhrYTCjxDI3d+8NzmzSQfO4ObNDqDNOMCAwEAAaNjMGEwHwYDVR0j +BBgwFoAUkqR1LKSevoFE63n8isWVpesQdXMwDwYDVR0TAQH/BAUwAwEB/zAOBgNVHQ8BAf8EBAMC +AYYwHQYDVR0OBBYEFJKkdSyknr6BROt5/IrFlaXrEHVzMA0GCSqGSIb3DQEBBQUAA4IBAQAo0uCG +1eb4e/CX3CJrO5UUVg8RMKWaTzqwOuAGy2X17caXJ/4l8lfmXpWMPmRgFVp/Lw0BxbFg/UU1z/Cy +vwbZ71q+s2IhtNerNXxTPqYn8aEt2hojnczd7Dwtnic0XQ/CNnm8yUpiLe1r2X1BQ3y2qsrtYbE3 +ghUJGooWMNjsydZHcnhLEEYUjl8Or+zHL6sQ17bxbuyGssLoDZJz3KL0Dzq/YSMQiZxIQG5wALPT +ujdEWBF6AmqI8Dc08BnprNRlc/ZpjGSUOnmFKbAWKwyCPwacx/0QK54PLLae4xW/2TYcuiUaUj0a +7CIMHOCkoj3w6DnPgcB77V0fb8XQC9eY +-----END CERTIFICATE----- + +Deutsche Telekom Root CA 2 +========================== +-----BEGIN CERTIFICATE----- +MIIDnzCCAoegAwIBAgIBJjANBgkqhkiG9w0BAQUFADBxMQswCQYDVQQGEwJERTEcMBoGA1UEChMT +RGV1dHNjaGUgVGVsZWtvbSBBRzEfMB0GA1UECxMWVC1UZWxlU2VjIFRydXN0IENlbnRlcjEjMCEG +A1UEAxMaRGV1dHNjaGUgVGVsZWtvbSBSb290IENBIDIwHhcNOTkwNzA5MTIxMTAwWhcNMTkwNzA5 +MjM1OTAwWjBxMQswCQYDVQQGEwJERTEcMBoGA1UEChMTRGV1dHNjaGUgVGVsZWtvbSBBRzEfMB0G +A1UECxMWVC1UZWxlU2VjIFRydXN0IENlbnRlcjEjMCEGA1UEAxMaRGV1dHNjaGUgVGVsZWtvbSBS +b290IENBIDIwggEiMA0GCSqGSIb3DQEBAQUAA4IBDwAwggEKAoIBAQCrC6M14IspFLEUha88EOQ5 +bzVdSq7d6mGNlUn0b2SjGmBmpKlAIoTZ1KXleJMOaAGtuU1cOs7TuKhCQN/Po7qCWWqSG6wcmtoI +KyUn+WkjR/Hg6yx6m/UTAtB+NHzCnjwAWav12gz1MjwrrFDa1sPeg5TKqAyZMg4ISFZbavva4VhY +AUlfckE8FQYBjl2tqriTtM2e66foai1SNNs671x1Udrb8zH57nGYMsRUFUQM+ZtV7a3fGAigo4aK +Se5TBY8ZTNXeWHmb0mocQqvF1afPaA+W5OFhmHZhyJF81j4A4pFQh+GdCuatl9Idxjp9y7zaAzTV +jlsB9WoHtxa2bkp/AgMBAAGjQjBAMB0GA1UdDgQWBBQxw3kbuvVT1xfgiXotF2wKsyudMzAPBgNV +HRMECDAGAQH/AgEFMA4GA1UdDwEB/wQEAwIBBjANBgkqhkiG9w0BAQUFAAOCAQEAlGRZrTlk5ynr +E/5aw4sTV8gEJPB0d8Bg42f76Ymmg7+Wgnxu1MM9756AbrsptJh6sTtU6zkXR34ajgv8HzFZMQSy +zhfzLMdiNlXiItiJVbSYSKpk+tYcNthEeFpaIzpXl/V6ME+un2pMSyuOoAPjPuCp1NJ70rOo4nI8 +rZ7/gFnkm0W09juwzTkZmDLl6iFhkOQxIY40sfcvNUqFENrnijchvllj4PKFiDFT1FQUhXB59C4G +dyd1Lx+4ivn+xbrYNuSD7Odlt79jWvNGr4GUN9RBjNYj1h7P9WgbRGOiWrqnNVmh5XAFmw4jV5mU +Cm26OWMohpLzGITY+9HPBVZkVw== +-----END CERTIFICATE----- + +ComSign CA +========== +-----BEGIN CERTIFICATE----- +MIIDkzCCAnugAwIBAgIQFBOWgxRVjOp7Y+X8NId3RDANBgkqhkiG9w0BAQUFADA0MRMwEQYDVQQD +EwpDb21TaWduIENBMRAwDgYDVQQKEwdDb21TaWduMQswCQYDVQQGEwJJTDAeFw0wNDAzMjQxMTMy +MThaFw0yOTAzMTkxNTAyMThaMDQxEzARBgNVBAMTCkNvbVNpZ24gQ0ExEDAOBgNVBAoTB0NvbVNp +Z24xCzAJBgNVBAYTAklMMIIBIjANBgkqhkiG9w0BAQEFAAOCAQ8AMIIBCgKCAQEA8ORUaSvTx49q +ROR+WCf4C9DklBKK8Rs4OC8fMZwG1Cyn3gsqrhqg455qv588x26i+YtkbDqthVVRVKU4VbirgwTy +P2Q298CNQ0NqZtH3FyrV7zb6MBBC11PN+fozc0yz6YQgitZBJzXkOPqUm7h65HkfM/sb2CEJKHxN +GGleZIp6GZPKfuzzcuc3B1hZKKxC+cX/zT/npfo4sdAMx9lSGlPWgcxCejVb7Us6eva1jsz/D3zk +YDaHL63woSV9/9JLEYhwVKZBqGdTUkJe5DSe5L6j7KpiXd3DTKaCQeQzC6zJMw9kglcq/QytNuEM +rkvF7zuZ2SOzW120V+x0cAwqTwIDAQABo4GgMIGdMAwGA1UdEwQFMAMBAf8wPQYDVR0fBDYwNDAy +oDCgLoYsaHR0cDovL2ZlZGlyLmNvbXNpZ24uY28uaWwvY3JsL0NvbVNpZ25DQS5jcmwwDgYDVR0P +AQH/BAQDAgGGMB8GA1UdIwQYMBaAFEsBmz5WGmU2dst7l6qSBe4y5ygxMB0GA1UdDgQWBBRLAZs+ +VhplNnbLe5eqkgXuMucoMTANBgkqhkiG9w0BAQUFAAOCAQEA0Nmlfv4pYEWdfoPPbrxHbvUanlR2 +QnG0PFg/LUAlQvaBnPGJEMgOqnhPOAlXsDzACPw1jvFIUY0McXS6hMTXcpuEfDhOZAYnKuGntewI +mbQKDdSFc8gS4TXt8QUxHXOZDOuWyt3T5oWq8Ir7dcHyCTxlZWTzTNity4hp8+SDtwy9F1qWF8pb +/627HOkthIDYIb6FUtnUdLlphbpN7Sgy6/lhSuTENh4Z3G+EER+V9YMoGKgzkkMn3V0TBEVPh9VG +zT2ouvDzuFYkRes3x+F2T3I5GN9+dHLHcy056mDmrRGiVod7w2ia/viMcKjfZTL0pECMocJEAw6U +AGegcQCCSA== +-----END CERTIFICATE----- + +ComSign Secured CA +================== +-----BEGIN CERTIFICATE----- +MIIDqzCCApOgAwIBAgIRAMcoRwmzuGxFjB36JPU2TukwDQYJKoZIhvcNAQEFBQAwPDEbMBkGA1UE +AxMSQ29tU2lnbiBTZWN1cmVkIENBMRAwDgYDVQQKEwdDb21TaWduMQswCQYDVQQGEwJJTDAeFw0w +NDAzMjQxMTM3MjBaFw0yOTAzMTYxNTA0NTZaMDwxGzAZBgNVBAMTEkNvbVNpZ24gU2VjdXJlZCBD +QTEQMA4GA1UEChMHQ29tU2lnbjELMAkGA1UEBhMCSUwwggEiMA0GCSqGSIb3DQEBAQUAA4IBDwAw +ggEKAoIBAQDGtWhfHZQVw6QIVS3joFd67+l0Kru5fFdJGhFeTymHDEjWaueP1H5XJLkGieQcPOqs +49ohgHMhCu95mGwfCP+hUH3ymBvJVG8+pSjsIQQPRbsHPaHA+iqYHU4Gk/v1iDurX8sWv+bznkqH +7Rnqwp9D5PGBpX8QTz7RSmKtUxvLg/8HZaWSLWapW7ha9B20IZFKF3ueMv5WJDmyVIRD9YTC2LxB +kMyd1mja6YJQqTtoz7VdApRgFrFD2UNd3V2Hbuq7s8lr9gOUCXDeFhF6K+h2j0kQmHe5Y1yLM5d1 +9guMsqtb3nQgJT/j8xH5h2iGNXHDHYwt6+UarA9z1YJZQIDTAgMBAAGjgacwgaQwDAYDVR0TBAUw +AwEB/zBEBgNVHR8EPTA7MDmgN6A1hjNodHRwOi8vZmVkaXIuY29tc2lnbi5jby5pbC9jcmwvQ29t +U2lnblNlY3VyZWRDQS5jcmwwDgYDVR0PAQH/BAQDAgGGMB8GA1UdIwQYMBaAFMFL7XC29z58ADsA +j8c+DkWfHl3sMB0GA1UdDgQWBBTBS+1wtvc+fAA7AI/HPg5Fnx5d7DANBgkqhkiG9w0BAQUFAAOC +AQEAFs/ukhNQq3sUnjO2QiBq1BW9Cav8cujvR3qQrFHBZE7piL1DRYHjZiM/EoZNGeQFsOY3wo3a +BijJD4mkU6l1P7CW+6tMM1X5eCZGbxs2mPtCdsGCuY7e+0X5YxtiOzkGynd6qDwJz2w2PQ8KRUtp +FhpFfTMDZflScZAmlaxMDPWLkz/MdXSFmLr/YnpNH4n+rr2UAJm/EaXc4HnFFgt9AmEd6oX5AhVP +51qJThRv4zdLhfXBPGHg/QVBspJ/wx2g0K5SZGBrGMYmnNj1ZOQ2GmKfig8+/21OGVZOIJFsnzQz +OjRXUDpvgV4GxvU+fE6OK85lBi5d0ipTdF7Tbieejw== +-----END CERTIFICATE----- + +Cybertrust Global Root +====================== +-----BEGIN CERTIFICATE----- +MIIDoTCCAomgAwIBAgILBAAAAAABD4WqLUgwDQYJKoZIhvcNAQEFBQAwOzEYMBYGA1UEChMPQ3li +ZXJ0cnVzdCwgSW5jMR8wHQYDVQQDExZDeWJlcnRydXN0IEdsb2JhbCBSb290MB4XDTA2MTIxNTA4 +MDAwMFoXDTIxMTIxNTA4MDAwMFowOzEYMBYGA1UEChMPQ3liZXJ0cnVzdCwgSW5jMR8wHQYDVQQD +ExZDeWJlcnRydXN0IEdsb2JhbCBSb290MIIBIjANBgkqhkiG9w0BAQEFAAOCAQ8AMIIBCgKCAQEA ++Mi8vRRQZhP/8NN57CPytxrHjoXxEnOmGaoQ25yiZXRadz5RfVb23CO21O1fWLE3TdVJDm71aofW +0ozSJ8bi/zafmGWgE07GKmSb1ZASzxQG9Dvj1Ci+6A74q05IlG2OlTEQXO2iLb3VOm2yHLtgwEZL +AfVJrn5GitB0jaEMAs7u/OePuGtm839EAL9mJRQr3RAwHQeWP032a7iPt3sMpTjr3kfb1V05/Iin +89cqdPHoWqI7n1C6poxFNcJQZZXcY4Lv3b93TZxiyWNzFtApD0mpSPCzqrdsxacwOUBdrsTiXSZT +8M4cIwhhqJQZugRiQOwfOHB3EgZxpzAYXSUnpQIDAQABo4GlMIGiMA4GA1UdDwEB/wQEAwIBBjAP +BgNVHRMBAf8EBTADAQH/MB0GA1UdDgQWBBS2CHsNesysIEyGVjJez6tuhS1wVzA/BgNVHR8EODA2 +MDSgMqAwhi5odHRwOi8vd3d3Mi5wdWJsaWMtdHJ1c3QuY29tL2NybC9jdC9jdHJvb3QuY3JsMB8G +A1UdIwQYMBaAFLYIew16zKwgTIZWMl7Pq26FLXBXMA0GCSqGSIb3DQEBBQUAA4IBAQBW7wojoFRO +lZfJ+InaRcHUowAl9B8Tq7ejhVhpwjCt2BWKLePJzYFa+HMjWqd8BfP9IjsO0QbE2zZMcwSO5bAi +5MXzLqXZI+O4Tkogp24CJJ8iYGd7ix1yCcUxXOl5n4BHPa2hCwcUPUf/A2kaDAtE52Mlp3+yybh2 +hO0j9n0Hq0V+09+zv+mKts2oomcrUtW3ZfA5TGOgkXmTUg9U3YO7n9GPp1Nzw8v/MOx8BLjYRB+T +X3EJIrduPuocA06dGiBh+4E37F78CkWr1+cXVdCg6mCbpvbjjFspwgZgFJ0tl0ypkxWdYcQBX0jW +WL1WMRJOEcgh4LMRkWXbtKaIOM5V +-----END CERTIFICATE----- + +ePKI Root Certification Authority +================================= +-----BEGIN CERTIFICATE----- +MIIFsDCCA5igAwIBAgIQFci9ZUdcr7iXAF7kBtK8nTANBgkqhkiG9w0BAQUFADBeMQswCQYDVQQG +EwJUVzEjMCEGA1UECgwaQ2h1bmdod2EgVGVsZWNvbSBDby4sIEx0ZC4xKjAoBgNVBAsMIWVQS0kg +Um9vdCBDZXJ0aWZpY2F0aW9uIEF1dGhvcml0eTAeFw0wNDEyMjAwMjMxMjdaFw0zNDEyMjAwMjMx +MjdaMF4xCzAJBgNVBAYTAlRXMSMwIQYDVQQKDBpDaHVuZ2h3YSBUZWxlY29tIENvLiwgTHRkLjEq +MCgGA1UECwwhZVBLSSBSb290IENlcnRpZmljYXRpb24gQXV0aG9yaXR5MIICIjANBgkqhkiG9w0B +AQEFAAOCAg8AMIICCgKCAgEA4SUP7o3biDN1Z82tH306Tm2d0y8U82N0ywEhajfqhFAHSyZbCUNs +IZ5qyNUD9WBpj8zwIuQf5/dqIjG3LBXy4P4AakP/h2XGtRrBp0xtInAhijHyl3SJCRImHJ7K2RKi +lTza6We/CKBk49ZCt0Xvl/T29de1ShUCWH2YWEtgvM3XDZoTM1PRYfl61dd4s5oz9wCGzh1NlDiv +qOx4UXCKXBCDUSH3ET00hl7lSM2XgYI1TBnsZfZrxQWh7kcT1rMhJ5QQCtkkO7q+RBNGMD+XPNjX +12ruOzjjK9SXDrkb5wdJfzcq+Xd4z1TtW0ado4AOkUPB1ltfFLqfpo0kR0BZv3I4sjZsN/+Z0V0O +WQqraffAsgRFelQArr5T9rXn4fg8ozHSqf4hUmTFpmfwdQcGlBSBVcYn5AGPF8Fqcde+S/uUWH1+ +ETOxQvdibBjWzwloPn9s9h6PYq2lY9sJpx8iQkEeb5mKPtf5P0B6ebClAZLSnT0IFaUQAS2zMnao +lQ2zepr7BxB4EW/hj8e6DyUadCrlHJhBmd8hh+iVBmoKs2pHdmX2Os+PYhcZewoozRrSgx4hxyy/ +vv9haLdnG7t4TY3OZ+XkwY63I2binZB1NJipNiuKmpS5nezMirH4JYlcWrYvjB9teSSnUmjDhDXi +Zo1jDiVN1Rmy5nk3pyKdVDECAwEAAaNqMGgwHQYDVR0OBBYEFB4M97Zn8uGSJglFwFU5Lnc/Qkqi +MAwGA1UdEwQFMAMBAf8wOQYEZyoHAAQxMC8wLQIBADAJBgUrDgMCGgUAMAcGBWcqAwAABBRFsMLH +ClZ87lt4DJX5GFPBphzYEDANBgkqhkiG9w0BAQUFAAOCAgEACbODU1kBPpVJufGBuvl2ICO1J2B0 +1GqZNF5sAFPZn/KmsSQHRGoqxqWOeBLoR9lYGxMqXnmbnwoqZ6YlPwZpVnPDimZI+ymBV3QGypzq +KOg4ZyYr8dW1P2WT+DZdjo2NQCCHGervJ8A9tDkPJXtoUHRVnAxZfVo9QZQlUgjgRywVMRnVvwdV +xrsStZf0X4OFunHB2WyBEXYKCrC/gpf36j36+uwtqSiUO1bd0lEursC9CBWMd1I0ltabrNMdjmEP +NXubrjlpC2JgQCA2j6/7Nu4tCEoduL+bXPjqpRugc6bY+G7gMwRfaKonh+3ZwZCc7b3jajWvY9+r +GNm65ulK6lCKD2GTHuItGeIwlDWSXQ62B68ZgI9HkFFLLk3dheLSClIKF5r8GrBQAuUBo2M3IUxE +xJtRmREOc5wGj1QupyheRDmHVi03vYVElOEMSyycw5KFNGHLD7ibSkNS/jQ6fbjpKdx2qcgw+BRx +gMYeNkh0IkFch4LoGHGLQYlE535YW6i4jRPpp2zDR+2zGp1iro2C6pSe3VkQw63d4k3jMdXH7Ojy +sP6SHhYKGvzZ8/gntsm+HbRsZJB/9OTEW9c3rkIO3aQab3yIVMUWbuF6aC74Or8NpDyJO3inTmOD +BCEIZ43ygknQW/2xzQ+DhNQ+IIX3Sj0rnP0qCglN6oH4EZw= +-----END CERTIFICATE----- + +T\xc3\x9c\x42\xC4\xB0TAK UEKAE K\xC3\xB6k Sertifika Hizmet Sa\xC4\x9Flay\xc4\xb1\x63\xc4\xb1s\xc4\xb1 - S\xC3\xBCr\xC3\xBCm 3 +============================================================================================================================= +-----BEGIN CERTIFICATE----- +MIIFFzCCA/+gAwIBAgIBETANBgkqhkiG9w0BAQUFADCCASsxCzAJBgNVBAYTAlRSMRgwFgYDVQQH +DA9HZWJ6ZSAtIEtvY2FlbGkxRzBFBgNVBAoMPlTDvHJraXllIEJpbGltc2VsIHZlIFRla25vbG9q +aWsgQXJhxZ90xLFybWEgS3VydW11IC0gVMOcQsSwVEFLMUgwRgYDVQQLDD9VbHVzYWwgRWxla3Ry +b25payB2ZSBLcmlwdG9sb2ppIEFyYcWfdMSxcm1hIEVuc3RpdMO8c8O8IC0gVUVLQUUxIzAhBgNV +BAsMGkthbXUgU2VydGlmaWthc3lvbiBNZXJrZXppMUowSAYDVQQDDEFUw5xCxLBUQUsgVUVLQUUg +S8O2ayBTZXJ0aWZpa2EgSGl6bWV0IFNhxJ9sYXnEsWPEsXPEsSAtIFPDvHLDvG0gMzAeFw0wNzA4 +MjQxMTM3MDdaFw0xNzA4MjExMTM3MDdaMIIBKzELMAkGA1UEBhMCVFIxGDAWBgNVBAcMD0dlYnpl +IC0gS29jYWVsaTFHMEUGA1UECgw+VMO8cmtpeWUgQmlsaW1zZWwgdmUgVGVrbm9sb2ppayBBcmHF +n3TEsXJtYSBLdXJ1bXUgLSBUw5xCxLBUQUsxSDBGBgNVBAsMP1VsdXNhbCBFbGVrdHJvbmlrIHZl +IEtyaXB0b2xvamkgQXJhxZ90xLFybWEgRW5zdGl0w7xzw7wgLSBVRUtBRTEjMCEGA1UECwwaS2Ft +dSBTZXJ0aWZpa2FzeW9uIE1lcmtlemkxSjBIBgNVBAMMQVTDnELEsFRBSyBVRUtBRSBLw7ZrIFNl +cnRpZmlrYSBIaXptZXQgU2HEn2xhecSxY8Sxc8SxIC0gU8O8csO8bSAzMIIBIjANBgkqhkiG9w0B +AQEFAAOCAQ8AMIIBCgKCAQEAim1L/xCIOsP2fpTo6iBkcK4hgb46ezzb8R1Sf1n68yJMlaCQvEhO +Eav7t7WNeoMojCZG2E6VQIdhn8WebYGHV2yKO7Rm6sxA/OOqbLLLAdsyv9Lrhc+hDVXDWzhXcLh1 +xnnRFDDtG1hba+818qEhTsXOfJlfbLm4IpNQp81McGq+agV/E5wrHur+R84EpW+sky58K5+eeROR +6Oqeyjh1jmKwlZMq5d/pXpduIF9fhHpEORlAHLpVK/swsoHvhOPc7Jg4OQOFCKlUAwUp8MmPi+oL +hmUZEdPpCSPeaJMDyTYcIW7OjGbxmTDY17PDHfiBLqi9ggtm/oLL4eAagsNAgQIDAQABo0IwQDAd +BgNVHQ4EFgQUvYiHyY/2pAoLquvF/pEjnatKijIwDgYDVR0PAQH/BAQDAgEGMA8GA1UdEwEB/wQF +MAMBAf8wDQYJKoZIhvcNAQEFBQADggEBAB18+kmPNOm3JpIWmgV050vQbTlswyb2zrgxvMTfvCr4 +N5EY3ATIZJkrGG2AA1nJrvhY0D7twyOfaTyGOBye79oneNGEN3GKPEs5z35FBtYt2IpNeBLWrcLT +y9LQQfMmNkqblWwM7uXRQydmwYj3erMgbOqwaSvHIOgMA8RBBZniP+Rr+KCGgceExh/VS4ESshYh +LBOhgLJeDEoTniDYYkCrkOpkSi+sDQESeUWoL4cZaMjihccwsnX5OD+ywJO0a+IDRM5noN+J1q2M +dqMTw5RhK2vZbMEHCiIHhWyFJEapvj+LeISCfiQMnf2BN+MlqO02TpUsyZyQ2uypQjyttgI= +-----END CERTIFICATE----- + +Buypass Class 2 CA 1 +==================== +-----BEGIN CERTIFICATE----- +MIIDUzCCAjugAwIBAgIBATANBgkqhkiG9w0BAQUFADBLMQswCQYDVQQGEwJOTzEdMBsGA1UECgwU +QnV5cGFzcyBBUy05ODMxNjMzMjcxHTAbBgNVBAMMFEJ1eXBhc3MgQ2xhc3MgMiBDQSAxMB4XDTA2 +MTAxMzEwMjUwOVoXDTE2MTAxMzEwMjUwOVowSzELMAkGA1UEBhMCTk8xHTAbBgNVBAoMFEJ1eXBh +c3MgQVMtOTgzMTYzMzI3MR0wGwYDVQQDDBRCdXlwYXNzIENsYXNzIDIgQ0EgMTCCASIwDQYJKoZI +hvcNAQEBBQADggEPADCCAQoCggEBAIs8B0XY9t/mx8q6jUPFR42wWsE425KEHK8T1A9vNkYgxC7M +cXA0ojTTNy7Y3Tp3L8DrKehc0rWpkTSHIln+zNvnma+WwajHQN2lFYxuyHyXA8vmIPLXl18xoS83 +0r7uvqmtqEyeIWZDO6i88wmjONVZJMHCR3axiFyCO7srpgTXjAePzdVBHfCuuCkslFJgNJQ72uA4 +0Z0zPhX0kzLFANq1KWYOOngPIVJfAuWSeyXTkh4vFZ2B5J2O6O+JzhRMVB0cgRJNcKi+EAUXfh/R +uFdV7c27UsKwHnjCTTZoy1YmwVLBvXb3WNVyfh9EdrsAiR0WnVE1703CVu9r4Iw7DekCAwEAAaNC +MEAwDwYDVR0TAQH/BAUwAwEB/zAdBgNVHQ4EFgQUP42aWYv8e3uco684sDntkHGA1sgwDgYDVR0P +AQH/BAQDAgEGMA0GCSqGSIb3DQEBBQUAA4IBAQAVGn4TirnoB6NLJzKyQJHyIdFkhb5jatLPgcIV +1Xp+DCmsNx4cfHZSldq1fyOhKXdlyTKdqC5Wq2B2zha0jX94wNWZUYN/Xtm+DKhQ7SLHrQVMdvvt +7h5HZPb3J31cKA9FxVxiXqaakZG3Uxcu3K1gnZZkOb1naLKuBctN518fV4bVIJwo+28TOPX2EZL2 +fZleHwzoq0QkKXJAPTZSr4xYkHPB7GEseaHsh7U/2k3ZIQAw3pDaDtMaSKk+hQsUi4y8QZ5q9w5w +wDX3OaJdZtB7WZ+oRxKaJyOkLY4ng5IgodcVf/EuGO70SH8vf/GhGLWhC5SgYiAynB321O+/TIho +-----END CERTIFICATE----- + +Buypass Class 3 CA 1 +==================== +-----BEGIN CERTIFICATE----- +MIIDUzCCAjugAwIBAgIBAjANBgkqhkiG9w0BAQUFADBLMQswCQYDVQQGEwJOTzEdMBsGA1UECgwU +QnV5cGFzcyBBUy05ODMxNjMzMjcxHTAbBgNVBAMMFEJ1eXBhc3MgQ2xhc3MgMyBDQSAxMB4XDTA1 +MDUwOTE0MTMwM1oXDTE1MDUwOTE0MTMwM1owSzELMAkGA1UEBhMCTk8xHTAbBgNVBAoMFEJ1eXBh +c3MgQVMtOTgzMTYzMzI3MR0wGwYDVQQDDBRCdXlwYXNzIENsYXNzIDMgQ0EgMTCCASIwDQYJKoZI +hvcNAQEBBQADggEPADCCAQoCggEBAKSO13TZKWTeXx+HgJHqTjnmGcZEC4DVC69TB4sSveZn8AKx +ifZgisRbsELRwCGoy+Gb72RRtqfPFfV0gGgEkKBYouZ0plNTVUhjP5JW3SROjvi6K//zNIqeKNc0 +n6wv1g/xpC+9UrJJhW05NfBEMJNGJPO251P7vGGvqaMU+8IXF4Rs4HyI+MkcVyzwPX6UvCWThOia +AJpFBUJXgPROztmuOfbIUxAMZTpHe2DC1vqRycZxbL2RhzyRhkmr8w+gbCZ2Xhysm3HljbybIR6c +1jh+JIAVMYKWsUnTYjdbiAwKYjT+p0h+mbEwi5A3lRyoH6UsjfRVyNvdWQrCrXig9IsCAwEAAaNC +MEAwDwYDVR0TAQH/BAUwAwEB/zAdBgNVHQ4EFgQUOBTmyPCppAP0Tj4io1vy1uCtQHQwDgYDVR0P +AQH/BAQDAgEGMA0GCSqGSIb3DQEBBQUAA4IBAQABZ6OMySU9E2NdFm/soT4JXJEVKirZgCFPBdy7 +pYmrEzMqnji3jG8CcmPHc3ceCQa6Oyh7pEfJYWsICCD8igWKH7y6xsL+z27sEzNxZy5p+qksP2bA +EllNC1QCkoS72xLvg3BweMhT+t/Gxv/ciC8HwEmdMldg0/L2mSlf56oBzKwzqBwKu5HEA6BvtjT5 +htOzdlSY9EqBs1OdTUDs5XcTRa9bqh/YL0yCe/4qxFi7T/ye/QNlGioOw6UgFpRreaaiErS7GqQj +el/wroQk5PMr+4okoyeYZdowdXb8GZHo2+ubPzK/QJcHJrrM85SFSnonk8+QQtS4Wxam58tAA915 +-----END CERTIFICATE----- + +EBG Elektronik Sertifika Hizmet Sa\xC4\x9Flay\xc4\xb1\x63\xc4\xb1s\xc4\xb1 +========================================================================== +-----BEGIN CERTIFICATE----- +MIIF5zCCA8+gAwIBAgIITK9zQhyOdAIwDQYJKoZIhvcNAQEFBQAwgYAxODA2BgNVBAMML0VCRyBF +bGVrdHJvbmlrIFNlcnRpZmlrYSBIaXptZXQgU2HEn2xhecSxY8Sxc8SxMTcwNQYDVQQKDC5FQkcg +QmlsacWfaW0gVGVrbm9sb2ppbGVyaSB2ZSBIaXptZXRsZXJpIEEuxZ4uMQswCQYDVQQGEwJUUjAe +Fw0wNjA4MTcwMDIxMDlaFw0xNjA4MTQwMDMxMDlaMIGAMTgwNgYDVQQDDC9FQkcgRWxla3Ryb25p +ayBTZXJ0aWZpa2EgSGl6bWV0IFNhxJ9sYXnEsWPEsXPEsTE3MDUGA1UECgwuRUJHIEJpbGnFn2lt +IFRla25vbG9qaWxlcmkgdmUgSGl6bWV0bGVyaSBBLsWeLjELMAkGA1UEBhMCVFIwggIiMA0GCSqG +SIb3DQEBAQUAA4ICDwAwggIKAoICAQDuoIRh0DpqZhAy2DE4f6en5f2h4fuXd7hxlugTlkaDT7by +X3JWbhNgpQGR4lvFzVcfd2NR/y8927k/qqk153nQ9dAktiHq6yOU/im/+4mRDGSaBUorzAzu8T2b +gmmkTPiab+ci2hC6X5L8GCcKqKpE+i4stPtGmggDg3KriORqcsnlZR9uKg+ds+g75AxuetpX/dfr +eYteIAbTdgtsApWjluTLdlHRKJ2hGvxEok3MenaoDT2/F08iiFD9rrbskFBKW5+VQarKD7JK/oCZ +TqNGFav4c0JqwmZ2sQomFd2TkuzbqV9UIlKRcF0T6kjsbgNs2d1s/OsNA/+mgxKb8amTD8UmTDGy +Y5lhcucqZJnSuOl14nypqZoaqsNW2xCaPINStnuWt6yHd6i58mcLlEOzrz5z+kI2sSXFCjEmN1Zn +uqMLfdb3ic1nobc6HmZP9qBVFCVMLDMNpkGMvQQxahByCp0OLna9XvNRiYuoP1Vzv9s6xiQFlpJI +qkuNKgPlV5EQ9GooFW5Hd4RcUXSfGenmHmMWOeMRFeNYGkS9y8RsZteEBt8w9DeiQyJ50hBs37vm +ExH8nYQKE3vwO9D8owrXieqWfo1IhR5kX9tUoqzVegJ5a9KK8GfaZXINFHDk6Y54jzJ0fFfy1tb0 +Nokb+Clsi7n2l9GkLqq+CxnCRelwXQIDAJ3Zo2MwYTAPBgNVHRMBAf8EBTADAQH/MA4GA1UdDwEB +/wQEAwIBBjAdBgNVHQ4EFgQU587GT/wWZ5b6SqMHwQSny2re2kcwHwYDVR0jBBgwFoAU587GT/wW +Z5b6SqMHwQSny2re2kcwDQYJKoZIhvcNAQEFBQADggIBAJuYml2+8ygjdsZs93/mQJ7ANtyVDR2t +FcU22NU57/IeIl6zgrRdu0waypIN30ckHrMk2pGI6YNw3ZPX6bqz3xZaPt7gyPvT/Wwp+BVGoGgm +zJNSroIBk5DKd8pNSe/iWtkqvTDOTLKBtjDOWU/aWR1qeqRFsIImgYZ29fUQALjuswnoT4cCB64k +XPBfrAowzIpAoHMEwfuJJPaaHFy3PApnNgUIMbOv2AFoKuB4j3TeuFGkjGwgPaL7s9QJ/XvCgKqT +bCmYIai7FvOpEl90tYeY8pUm3zTvilORiF0alKM/fCL414i6poyWqD1SNGKfAB5UVUJnxk1Gj7sU +RT0KlhaOEKGXmdXTMIXM3rRyt7yKPBgpaP3ccQfuJDlq+u2lrDgv+R4QDgZxGhBM/nV+/x5XOULK +1+EVoVZVWRvRo68R2E7DpSvvkL/A7IITW43WciyTTo9qKd+FPNMN4KIYEsxVL0e3p5sC/kH2iExt +2qkBR4NkJ2IQgtYSe14DHzSpyZH+r11thie3I6p1GMog57AP14kOpmciY/SDQSsGS7tY1dHXt7kQ +Y9iJSrSq3RZj9W6+YKH47ejWkE8axsWgKdOnIaj1Wjz3x0miIZpKlVIglnKaZsv30oZDfCK+lvm9 +AahH3eU7QPl1K5srRmSGjR70j/sHd9DqSaIcjVIUpgqT +-----END CERTIFICATE----- + +certSIGN ROOT CA +================ +-----BEGIN CERTIFICATE----- +MIIDODCCAiCgAwIBAgIGIAYFFnACMA0GCSqGSIb3DQEBBQUAMDsxCzAJBgNVBAYTAlJPMREwDwYD +VQQKEwhjZXJ0U0lHTjEZMBcGA1UECxMQY2VydFNJR04gUk9PVCBDQTAeFw0wNjA3MDQxNzIwMDRa +Fw0zMTA3MDQxNzIwMDRaMDsxCzAJBgNVBAYTAlJPMREwDwYDVQQKEwhjZXJ0U0lHTjEZMBcGA1UE +CxMQY2VydFNJR04gUk9PVCBDQTCCASIwDQYJKoZIhvcNAQEBBQADggEPADCCAQoCggEBALczuX7I +JUqOtdu0KBuqV5Do0SLTZLrTk+jUrIZhQGpgV2hUhE28alQCBf/fm5oqrl0Hj0rDKH/v+yv6efHH +rfAQUySQi2bJqIirr1qjAOm+ukbuW3N7LBeCgV5iLKECZbO9xSsAfsT8AzNXDe3i+s5dRdY4zTW2 +ssHQnIFKquSyAVwdj1+ZxLGt24gh65AIgoDzMKND5pCCrlUoSe1b16kQOA7+j0xbm0bqQfWwCHTD +0IgztnzXdN/chNFDDnU5oSVAKOp4yw4sLjmdjItuFhwvJoIQ4uNllAoEwF73XVv4EOLQunpL+943 +AAAaWyjj0pxzPjKHmKHJUS/X3qwzs08CAwEAAaNCMEAwDwYDVR0TAQH/BAUwAwEB/zAOBgNVHQ8B +Af8EBAMCAcYwHQYDVR0OBBYEFOCMm9slSbPxfIbWskKHC9BroNnkMA0GCSqGSIb3DQEBBQUAA4IB +AQA+0hyJLjX8+HXd5n9liPRyTMks1zJO890ZeUe9jjtbkw9QSSQTaxQGcu8J06Gh40CEyecYMnQ8 +SG4Pn0vU9x7Tk4ZkVJdjclDVVc/6IJMCopvDI5NOFlV2oHB5bc0hH88vLbwZ44gx+FkagQnIl6Z0 +x2DEW8xXjrJ1/RsCCdtZb3KTafcxQdaIOL+Hsr0Wefmq5L6IJd1hJyMctTEHBDa0GpC9oHRxUIlt +vBTjD4au8as+x6AJzKNI0eDbZOeStc+vckNwi/nDhDwTqn6Sm1dTk/pwwpEOMfmbZ13pljheX7Nz +TogVZ96edhBiIL5VaZVDADlN9u6wWk5JRFRYX0KD +-----END CERTIFICATE----- + +CNNIC ROOT +========== +-----BEGIN CERTIFICATE----- +MIIDVTCCAj2gAwIBAgIESTMAATANBgkqhkiG9w0BAQUFADAyMQswCQYDVQQGEwJDTjEOMAwGA1UE +ChMFQ05OSUMxEzARBgNVBAMTCkNOTklDIFJPT1QwHhcNMDcwNDE2MDcwOTE0WhcNMjcwNDE2MDcw +OTE0WjAyMQswCQYDVQQGEwJDTjEOMAwGA1UEChMFQ05OSUMxEzARBgNVBAMTCkNOTklDIFJPT1Qw +ggEiMA0GCSqGSIb3DQEBAQUAA4IBDwAwggEKAoIBAQDTNfc/c3et6FtzF8LRb+1VvG7q6KR5smzD +o+/hn7E7SIX1mlwhIhAsxYLO2uOabjfhhyzcuQxauohV3/2q2x8x6gHx3zkBwRP9SFIhxFXf2tiz +VHa6dLG3fdfA6PZZxU3Iva0fFNrfWEQlMhkqx35+jq44sDB7R3IJMfAw28Mbdim7aXZOV/kbZKKT +VrdvmW7bCgScEeOAH8tjlBAKqeFkgjH5jCftppkA9nCTGPihNIaj3XrCGHn2emU1z5DrvTOTn1Or +czvmmzQgLx3vqR1jGqCA2wMv+SYahtKNu6m+UjqHZ0gNv7Sg2Ca+I19zN38m5pIEo3/PIKe38zrK +y5nLAgMBAAGjczBxMBEGCWCGSAGG+EIBAQQEAwIABzAfBgNVHSMEGDAWgBRl8jGtKvf33VKWCscC +wQ7vptU7ETAPBgNVHRMBAf8EBTADAQH/MAsGA1UdDwQEAwIB/jAdBgNVHQ4EFgQUZfIxrSr3991S +lgrHAsEO76bVOxEwDQYJKoZIhvcNAQEFBQADggEBAEs17szkrr/Dbq2flTtLP1se31cpolnKOOK5 +Gv+e5m4y3R6u6jW39ZORTtpC4cMXYFDy0VwmuYK36m3knITnA3kXr5g9lNvHugDnuL8BV8F3RTIM +O/G0HAiw/VGgod2aHRM2mm23xzy54cXZF/qD1T0VoDy7HgviyJA/qIYM/PmLXoXLT1tLYhFHxUV8 +BS9BsZ4QaRuZluBVeftOhpm4lNqGOGqTo+fLbuXf6iFViZx9fX+Y9QCJ7uOEwFyWtcVG6kbghVW2 +G8kS1sHNzYDzAgE8yGnLRUhj2JTQ7IUOO04RZfSCjKY9ri4ilAnIXOo8gV0WKgOXFlUJ24pBgp5m +mxE= +-----END CERTIFICATE----- + +ApplicationCA - Japanese Government +=================================== +-----BEGIN CERTIFICATE----- +MIIDoDCCAoigAwIBAgIBMTANBgkqhkiG9w0BAQUFADBDMQswCQYDVQQGEwJKUDEcMBoGA1UEChMT +SmFwYW5lc2UgR292ZXJubWVudDEWMBQGA1UECxMNQXBwbGljYXRpb25DQTAeFw0wNzEyMTIxNTAw +MDBaFw0xNzEyMTIxNTAwMDBaMEMxCzAJBgNVBAYTAkpQMRwwGgYDVQQKExNKYXBhbmVzZSBHb3Zl +cm5tZW50MRYwFAYDVQQLEw1BcHBsaWNhdGlvbkNBMIIBIjANBgkqhkiG9w0BAQEFAAOCAQ8AMIIB +CgKCAQEAp23gdE6Hj6UG3mii24aZS2QNcfAKBZuOquHMLtJqO8F6tJdhjYq+xpqcBrSGUeQ3DnR4 +fl+Kf5Sk10cI/VBaVuRorChzoHvpfxiSQE8tnfWuREhzNgaeZCw7NCPbXCbkcXmP1G55IrmTwcrN +wVbtiGrXoDkhBFcsovW8R0FPXjQilbUfKW1eSvNNcr5BViCH/OlQR9cwFO5cjFW6WY2H/CPek9AE +jP3vbb3QesmlOmpyM8ZKDQUXKi17safY1vC+9D/qDihtQWEjdnjDuGWk81quzMKq2edY3rZ+nYVu +nyoKb58DKTCXKB28t89UKU5RMfkntigm/qJj5kEW8DOYRwIDAQABo4GeMIGbMB0GA1UdDgQWBBRU +WssmP3HMlEYNllPqa0jQk/5CdTAOBgNVHQ8BAf8EBAMCAQYwWQYDVR0RBFIwUKROMEwxCzAJBgNV +BAYTAkpQMRgwFgYDVQQKDA/ml6XmnKzlm73mlL/lupwxIzAhBgNVBAsMGuOCouODl+ODquOCseOD +vOOCt+ODp+ODs0NBMA8GA1UdEwEB/wQFMAMBAf8wDQYJKoZIhvcNAQEFBQADggEBADlqRHZ3ODrs +o2dGD/mLBqj7apAxzn7s2tGJfHrrLgy9mTLnsCTWw//1sogJhyzjVOGjprIIC8CFqMjSnHH2HZ9g +/DgzE+Ge3Atf2hZQKXsvcJEPmbo0NI2VdMV+eKlmXb3KIXdCEKxmJj3ekav9FfBv7WxfEPjzFvYD +io+nEhEMy/0/ecGc/WLuo89UDNErXxc+4z6/wCs+CZv+iKZ+tJIX/COUgb1up8WMwusRRdv4QcmW +dupwX3kSa+SjB1oF7ydJzyGfikwJcGapJsErEU4z0g781mzSDjJkaP+tBXhfAx2o45CsJOAPQKdL +rosot4LKGAfmt1t06SAZf7IbiVQ= +-----END CERTIFICATE----- + +GeoTrust Primary Certification Authority - G3 +============================================= +-----BEGIN CERTIFICATE----- +MIID/jCCAuagAwIBAgIQFaxulBmyeUtB9iepwxgPHzANBgkqhkiG9w0BAQsFADCBmDELMAkGA1UE +BhMCVVMxFjAUBgNVBAoTDUdlb1RydXN0IEluYy4xOTA3BgNVBAsTMChjKSAyMDA4IEdlb1RydXN0 +IEluYy4gLSBGb3IgYXV0aG9yaXplZCB1c2Ugb25seTE2MDQGA1UEAxMtR2VvVHJ1c3QgUHJpbWFy +eSBDZXJ0aWZpY2F0aW9uIEF1dGhvcml0eSAtIEczMB4XDTA4MDQwMjAwMDAwMFoXDTM3MTIwMTIz +NTk1OVowgZgxCzAJBgNVBAYTAlVTMRYwFAYDVQQKEw1HZW9UcnVzdCBJbmMuMTkwNwYDVQQLEzAo +YykgMjAwOCBHZW9UcnVzdCBJbmMuIC0gRm9yIGF1dGhvcml6ZWQgdXNlIG9ubHkxNjA0BgNVBAMT +LUdlb1RydXN0IFByaW1hcnkgQ2VydGlmaWNhdGlvbiBBdXRob3JpdHkgLSBHMzCCASIwDQYJKoZI +hvcNAQEBBQADggEPADCCAQoCggEBANziXmJYHTNXOTIz+uvLh4yn1ErdBojqZI4xmKU4kB6Yzy5j +K/BGvESyiaHAKAxJcCGVn2TAppMSAmUmhsalifD614SgcK9PGpc/BkTVyetyEH3kMSj7HGHmKAdE +c5IiaacDiGydY8hS2pgn5whMcD60yRLBxWeDXTPzAxHsatBT4tG6NmCUgLthY2xbF37fQJQeqw3C +IShwiP/WJmxsYAQlTlV+fe+/lEjetx3dcI0FX4ilm/LC7urRQEFtYjgdVgbFA0dRIBn8exALDmKu +dlW/X3e+PkkBUz2YJQN2JFodtNuJ6nnltrM7P7pMKEF/BqxqjsHQ9gUdfeZChuOl1UcCAwEAAaNC +MEAwDwYDVR0TAQH/BAUwAwEB/zAOBgNVHQ8BAf8EBAMCAQYwHQYDVR0OBBYEFMR5yo6hTgMdHNxr +2zFblD4/MH8tMA0GCSqGSIb3DQEBCwUAA4IBAQAtxRPPVoB7eni9n64smefv2t+UXglpp+duaIy9 +cr5HqQ6XErhK8WTTOd8lNNTBzU6B8A8ExCSzNJbGpqow32hhc9f5joWJ7w5elShKKiePEI4ufIbE +Ap7aDHdlDkQNkv39sxY2+hENHYwOB4lqKVb3cvTdFZx3NWZXqxNT2I7BQMXXExZacse3aQHEerGD +AWh9jUGhlBjBJVz88P6DAod8DQ3PLghcSkANPuyBYeYk28rgDi0Hsj5W3I31QYUHSJsMC8tJP33s +t/3LjWeJGqvtux6jAAgIFyqCXDFdRootD4abdNlF+9RAsXqqaC2Gspki4cErx5z481+oghLrGREt +-----END CERTIFICATE----- + +thawte Primary Root CA - G2 +=========================== +-----BEGIN CERTIFICATE----- +MIICiDCCAg2gAwIBAgIQNfwmXNmET8k9Jj1Xm67XVjAKBggqhkjOPQQDAzCBhDELMAkGA1UEBhMC +VVMxFTATBgNVBAoTDHRoYXd0ZSwgSW5jLjE4MDYGA1UECxMvKGMpIDIwMDcgdGhhd3RlLCBJbmMu +IC0gRm9yIGF1dGhvcml6ZWQgdXNlIG9ubHkxJDAiBgNVBAMTG3RoYXd0ZSBQcmltYXJ5IFJvb3Qg +Q0EgLSBHMjAeFw0wNzExMDUwMDAwMDBaFw0zODAxMTgyMzU5NTlaMIGEMQswCQYDVQQGEwJVUzEV +MBMGA1UEChMMdGhhd3RlLCBJbmMuMTgwNgYDVQQLEy8oYykgMjAwNyB0aGF3dGUsIEluYy4gLSBG +b3IgYXV0aG9yaXplZCB1c2Ugb25seTEkMCIGA1UEAxMbdGhhd3RlIFByaW1hcnkgUm9vdCBDQSAt +IEcyMHYwEAYHKoZIzj0CAQYFK4EEACIDYgAEotWcgnuVnfFSeIf+iha/BebfowJPDQfGAFG6DAJS +LSKkQjnE/o/qycG+1E3/n3qe4rF8mq2nhglzh9HnmuN6papu+7qzcMBniKI11KOasf2twu8x+qi5 +8/sIxpHR+ymVo0IwQDAPBgNVHRMBAf8EBTADAQH/MA4GA1UdDwEB/wQEAwIBBjAdBgNVHQ4EFgQU +mtgAMADna3+FGO6Lts6KDPgR4bswCgYIKoZIzj0EAwMDaQAwZgIxAN344FdHW6fmCsO99YCKlzUN +G4k8VIZ3KMqh9HneteY4sPBlcIx/AlTCv//YoT7ZzwIxAMSNlPzcU9LcnXgWHxUzI1NS41oxXZ3K +rr0TKUQNJ1uo52icEvdYPy5yAlejj6EULg== +-----END CERTIFICATE----- + +thawte Primary Root CA - G3 +=========================== +-----BEGIN CERTIFICATE----- +MIIEKjCCAxKgAwIBAgIQYAGXt0an6rS0mtZLL/eQ+zANBgkqhkiG9w0BAQsFADCBrjELMAkGA1UE +BhMCVVMxFTATBgNVBAoTDHRoYXd0ZSwgSW5jLjEoMCYGA1UECxMfQ2VydGlmaWNhdGlvbiBTZXJ2 +aWNlcyBEaXZpc2lvbjE4MDYGA1UECxMvKGMpIDIwMDggdGhhd3RlLCBJbmMuIC0gRm9yIGF1dGhv +cml6ZWQgdXNlIG9ubHkxJDAiBgNVBAMTG3RoYXd0ZSBQcmltYXJ5IFJvb3QgQ0EgLSBHMzAeFw0w +ODA0MDIwMDAwMDBaFw0zNzEyMDEyMzU5NTlaMIGuMQswCQYDVQQGEwJVUzEVMBMGA1UEChMMdGhh +d3RlLCBJbmMuMSgwJgYDVQQLEx9DZXJ0aWZpY2F0aW9uIFNlcnZpY2VzIERpdmlzaW9uMTgwNgYD +VQQLEy8oYykgMjAwOCB0aGF3dGUsIEluYy4gLSBGb3IgYXV0aG9yaXplZCB1c2Ugb25seTEkMCIG +A1UEAxMbdGhhd3RlIFByaW1hcnkgUm9vdCBDQSAtIEczMIIBIjANBgkqhkiG9w0BAQEFAAOCAQ8A +MIIBCgKCAQEAsr8nLPvb2FvdeHsbnndmgcs+vHyu86YnmjSjaDFxODNi5PNxZnmxqWWjpYvVj2At +P0LMqmsywCPLLEHd5N/8YZzic7IilRFDGF/Eth9XbAoFWCLINkw6fKXRz4aviKdEAhN0cXMKQlkC ++BsUa0Lfb1+6a4KinVvnSr0eAXLbS3ToO39/fR8EtCab4LRarEc9VbjXsCZSKAExQGbY2SS99irY +7CFJXJv2eul/VTV+lmuNk5Mny5K76qxAwJ/C+IDPXfRa3M50hqY+bAtTyr2SzhkGcuYMXDhpxwTW +vGzOW/b3aJzcJRVIiKHpqfiYnODz1TEoYRFsZ5aNOZnLwkUkOQIDAQABo0IwQDAPBgNVHRMBAf8E +BTADAQH/MA4GA1UdDwEB/wQEAwIBBjAdBgNVHQ4EFgQUrWyqlGCc7eT/+j4KdCtjA/e2Wb8wDQYJ +KoZIhvcNAQELBQADggEBABpA2JVlrAmSicY59BDlqQ5mU1143vokkbvnRFHfxhY0Cu9qRFHqKweK +A3rD6z8KLFIWoCtDuSWQP3CpMyVtRRooOyfPqsMpQhvfO0zAMzRbQYi/aytlryjvsvXDqmbOe1bu +t8jLZ8HJnBoYuMTDSQPxYA5QzUbF83d597YV4Djbxy8ooAw/dyZ02SUS2jHaGh7cKUGRIjxpp7sC +8rZcJwOJ9Abqm+RyguOhCcHpABnTPtRwa7pxpqpYrvS76Wy274fMm7v/OeZWYdMKp8RcTGB7BXcm +er/YB1IsYvdwY9k5vG8cwnncdimvzsUsZAReiDZuMdRAGmI0Nj81Aa6sY6A= +-----END CERTIFICATE----- + +GeoTrust Primary Certification Authority - G2 +============================================= +-----BEGIN CERTIFICATE----- +MIICrjCCAjWgAwIBAgIQPLL0SAoA4v7rJDteYD7DazAKBggqhkjOPQQDAzCBmDELMAkGA1UEBhMC +VVMxFjAUBgNVBAoTDUdlb1RydXN0IEluYy4xOTA3BgNVBAsTMChjKSAyMDA3IEdlb1RydXN0IElu +Yy4gLSBGb3IgYXV0aG9yaXplZCB1c2Ugb25seTE2MDQGA1UEAxMtR2VvVHJ1c3QgUHJpbWFyeSBD +ZXJ0aWZpY2F0aW9uIEF1dGhvcml0eSAtIEcyMB4XDTA3MTEwNTAwMDAwMFoXDTM4MDExODIzNTk1 +OVowgZgxCzAJBgNVBAYTAlVTMRYwFAYDVQQKEw1HZW9UcnVzdCBJbmMuMTkwNwYDVQQLEzAoYykg +MjAwNyBHZW9UcnVzdCBJbmMuIC0gRm9yIGF1dGhvcml6ZWQgdXNlIG9ubHkxNjA0BgNVBAMTLUdl +b1RydXN0IFByaW1hcnkgQ2VydGlmaWNhdGlvbiBBdXRob3JpdHkgLSBHMjB2MBAGByqGSM49AgEG +BSuBBAAiA2IABBWx6P0DFUPlrOuHNxFi79KDNlJ9RVcLSo17VDs6bl8VAsBQps8lL33KSLjHUGMc +KiEIfJo22Av+0SbFWDEwKCXzXV2juLaltJLtbCyf691DiaI8S0iRHVDsJt/WYC69IaNCMEAwDwYD +VR0TAQH/BAUwAwEB/zAOBgNVHQ8BAf8EBAMCAQYwHQYDVR0OBBYEFBVfNVdRVfslsq0DafwBo/q+ +EVXVMAoGCCqGSM49BAMDA2cAMGQCMGSWWaboCd6LuvpaiIjwH5HTRqjySkwCY/tsXzjbLkGTqQ7m +ndwxHLKgpxgceeHHNgIwOlavmnRs9vuD4DPTCF+hnMJbn0bWtsuRBmOiBuczrD6ogRLQy7rQkgu2 +npaqBA+K +-----END CERTIFICATE----- + +VeriSign Universal Root Certification Authority +=============================================== +-----BEGIN CERTIFICATE----- +MIIEuTCCA6GgAwIBAgIQQBrEZCGzEyEDDrvkEhrFHTANBgkqhkiG9w0BAQsFADCBvTELMAkGA1UE +BhMCVVMxFzAVBgNVBAoTDlZlcmlTaWduLCBJbmMuMR8wHQYDVQQLExZWZXJpU2lnbiBUcnVzdCBO +ZXR3b3JrMTowOAYDVQQLEzEoYykgMjAwOCBWZXJpU2lnbiwgSW5jLiAtIEZvciBhdXRob3JpemVk +IHVzZSBvbmx5MTgwNgYDVQQDEy9WZXJpU2lnbiBVbml2ZXJzYWwgUm9vdCBDZXJ0aWZpY2F0aW9u +IEF1dGhvcml0eTAeFw0wODA0MDIwMDAwMDBaFw0zNzEyMDEyMzU5NTlaMIG9MQswCQYDVQQGEwJV +UzEXMBUGA1UEChMOVmVyaVNpZ24sIEluYy4xHzAdBgNVBAsTFlZlcmlTaWduIFRydXN0IE5ldHdv +cmsxOjA4BgNVBAsTMShjKSAyMDA4IFZlcmlTaWduLCBJbmMuIC0gRm9yIGF1dGhvcml6ZWQgdXNl +IG9ubHkxODA2BgNVBAMTL1ZlcmlTaWduIFVuaXZlcnNhbCBSb290IENlcnRpZmljYXRpb24gQXV0 +aG9yaXR5MIIBIjANBgkqhkiG9w0BAQEFAAOCAQ8AMIIBCgKCAQEAx2E3XrEBNNti1xWb/1hajCMj +1mCOkdeQmIN65lgZOIzF9uVkhbSicfvtvbnazU0AtMgtc6XHaXGVHzk8skQHnOgO+k1KxCHfKWGP +MiJhgsWHH26MfF8WIFFE0XBPV+rjHOPMee5Y2A7Cs0WTwCznmhcrewA3ekEzeOEz4vMQGn+HLL72 +9fdC4uW/h2KJXwBL38Xd5HVEMkE6HnFuacsLdUYI0crSK5XQz/u5QGtkjFdN/BMReYTtXlT2NJ8I +AfMQJQYXStrxHXpma5hgZqTZ79IugvHw7wnqRMkVauIDbjPTrJ9VAMf2CGqUuV/c4DPxhGD5WycR +tPwW8rtWaoAljQIDAQABo4GyMIGvMA8GA1UdEwEB/wQFMAMBAf8wDgYDVR0PAQH/BAQDAgEGMG0G +CCsGAQUFBwEMBGEwX6FdoFswWTBXMFUWCWltYWdlL2dpZjAhMB8wBwYFKw4DAhoEFI/l0xqGrI2O +a8PPgGrUSBgsexkuMCUWI2h0dHA6Ly9sb2dvLnZlcmlzaWduLmNvbS92c2xvZ28uZ2lmMB0GA1Ud +DgQWBBS2d/ppSEefUxLVwuoHMnYH0ZcHGTANBgkqhkiG9w0BAQsFAAOCAQEASvj4sAPmLGd75JR3 +Y8xuTPl9Dg3cyLk1uXBPY/ok+myDjEedO2Pzmvl2MpWRsXe8rJq+seQxIcaBlVZaDrHC1LGmWazx +Y8u4TB1ZkErvkBYoH1quEPuBUDgMbMzxPcP1Y+Oz4yHJJDnp/RVmRvQbEdBNc6N9Rvk97ahfYtTx +P/jgdFcrGJ2BtMQo2pSXpXDrrB2+BxHw1dvd5Yzw1TKwg+ZX4o+/vqGqvz0dtdQ46tewXDpPaj+P +wGZsY6rp2aQW9IHRlRQOfc2VNNnSj3BzgXucfr2YYdhFh5iQxeuGMMY1v/D/w1WIg0vvBZIGcfK4 +mJO37M2CYfE45k+XmCpajQ== +-----END CERTIFICATE----- + +VeriSign Class 3 Public Primary Certification Authority - G4 +============================================================ +-----BEGIN CERTIFICATE----- +MIIDhDCCAwqgAwIBAgIQL4D+I4wOIg9IZxIokYesszAKBggqhkjOPQQDAzCByjELMAkGA1UEBhMC +VVMxFzAVBgNVBAoTDlZlcmlTaWduLCBJbmMuMR8wHQYDVQQLExZWZXJpU2lnbiBUcnVzdCBOZXR3 +b3JrMTowOAYDVQQLEzEoYykgMjAwNyBWZXJpU2lnbiwgSW5jLiAtIEZvciBhdXRob3JpemVkIHVz +ZSBvbmx5MUUwQwYDVQQDEzxWZXJpU2lnbiBDbGFzcyAzIFB1YmxpYyBQcmltYXJ5IENlcnRpZmlj +YXRpb24gQXV0aG9yaXR5IC0gRzQwHhcNMDcxMTA1MDAwMDAwWhcNMzgwMTE4MjM1OTU5WjCByjEL +MAkGA1UEBhMCVVMxFzAVBgNVBAoTDlZlcmlTaWduLCBJbmMuMR8wHQYDVQQLExZWZXJpU2lnbiBU +cnVzdCBOZXR3b3JrMTowOAYDVQQLEzEoYykgMjAwNyBWZXJpU2lnbiwgSW5jLiAtIEZvciBhdXRo +b3JpemVkIHVzZSBvbmx5MUUwQwYDVQQDEzxWZXJpU2lnbiBDbGFzcyAzIFB1YmxpYyBQcmltYXJ5 +IENlcnRpZmljYXRpb24gQXV0aG9yaXR5IC0gRzQwdjAQBgcqhkjOPQIBBgUrgQQAIgNiAASnVnp8 +Utpkmw4tXNherJI9/gHmGUo9FANL+mAnINmDiWn6VMaaGF5VKmTeBvaNSjutEDxlPZCIBIngMGGz +rl0Bp3vefLK+ymVhAIau2o970ImtTR1ZmkGxvEeA3J5iw/mjgbIwga8wDwYDVR0TAQH/BAUwAwEB +/zAOBgNVHQ8BAf8EBAMCAQYwbQYIKwYBBQUHAQwEYTBfoV2gWzBZMFcwVRYJaW1hZ2UvZ2lmMCEw +HzAHBgUrDgMCGgQUj+XTGoasjY5rw8+AatRIGCx7GS4wJRYjaHR0cDovL2xvZ28udmVyaXNpZ24u +Y29tL3ZzbG9nby5naWYwHQYDVR0OBBYEFLMWkf3upm7ktS5Jj4d4gYDs5bG1MAoGCCqGSM49BAMD +A2gAMGUCMGYhDBgmYFo4e1ZC4Kf8NoRRkSAsdk1DPcQdhCPQrNZ8NQbOzWm9kA3bbEhCHQ6qQgIx +AJw9SDkjOVgaFRJZap7v1VmyHVIsmXHNxynfGyphe3HR3vPA5Q06Sqotp9iGKt0uEA== +-----END CERTIFICATE----- + +NetLock Arany (Class Gold) Főtanúsítvány +============================================ +-----BEGIN CERTIFICATE----- +MIIEFTCCAv2gAwIBAgIGSUEs5AAQMA0GCSqGSIb3DQEBCwUAMIGnMQswCQYDVQQGEwJIVTERMA8G +A1UEBwwIQnVkYXBlc3QxFTATBgNVBAoMDE5ldExvY2sgS2Z0LjE3MDUGA1UECwwuVGFuw7pzw610 +dsOhbnlraWFkw7NrIChDZXJ0aWZpY2F0aW9uIFNlcnZpY2VzKTE1MDMGA1UEAwwsTmV0TG9jayBB +cmFueSAoQ2xhc3MgR29sZCkgRsWRdGFuw7pzw610dsOhbnkwHhcNMDgxMjExMTUwODIxWhcNMjgx +MjA2MTUwODIxWjCBpzELMAkGA1UEBhMCSFUxETAPBgNVBAcMCEJ1ZGFwZXN0MRUwEwYDVQQKDAxO +ZXRMb2NrIEtmdC4xNzA1BgNVBAsMLlRhbsO6c8OtdHbDoW55a2lhZMOzayAoQ2VydGlmaWNhdGlv +biBTZXJ2aWNlcykxNTAzBgNVBAMMLE5ldExvY2sgQXJhbnkgKENsYXNzIEdvbGQpIEbFkXRhbsO6 +c8OtdHbDoW55MIIBIjANBgkqhkiG9w0BAQEFAAOCAQ8AMIIBCgKCAQEAxCRec75LbRTDofTjl5Bu +0jBFHjzuZ9lk4BqKf8owyoPjIMHj9DrTlF8afFttvzBPhCf2nx9JvMaZCpDyD/V/Q4Q3Y1GLeqVw +/HpYzY6b7cNGbIRwXdrzAZAj/E4wqX7hJ2Pn7WQ8oLjJM2P+FpD/sLj916jAwJRDC7bVWaaeVtAk +H3B5r9s5VA1lddkVQZQBr17s9o3x/61k/iCa11zr/qYfCGSji3ZVrR47KGAuhyXoqq8fxmRGILdw +fzzeSNuWU7c5d+Qa4scWhHaXWy+7GRWF+GmF9ZmnqfI0p6m2pgP8b4Y9VHx2BJtr+UBdADTHLpl1 +neWIA6pN+APSQnbAGwIDAKiLo0UwQzASBgNVHRMBAf8ECDAGAQH/AgEEMA4GA1UdDwEB/wQEAwIB +BjAdBgNVHQ4EFgQUzPpnk/C2uNClwB7zU/2MU9+D15YwDQYJKoZIhvcNAQELBQADggEBAKt/7hwW +qZw8UQCgwBEIBaeZ5m8BiFRhbvG5GK1Krf6BQCOUL/t1fC8oS2IkgYIL9WHxHG64YTjrgfpioTta +YtOUZcTh5m2C+C8lcLIhJsFyUR+MLMOEkMNaj7rP9KdlpeuY0fsFskZ1FSNqb4VjMIDw1Z4fKRzC +bLBQWV2QWzuoDTDPv31/zvGdg73JRm4gpvlhUbohL3u+pRVjodSVh/GeufOJ8z2FuLjbvrW5Kfna +NwUASZQDhETnv0Mxz3WLJdH0pmT1kvarBes96aULNmLazAZfNou2XjG4Kvte9nHfRCaexOYNkbQu +dZWAUWpLMKawYqGT8ZvYzsRjdT9ZR7E= +-----END CERTIFICATE----- + +Staat der Nederlanden Root CA - G2 +================================== +-----BEGIN CERTIFICATE----- +MIIFyjCCA7KgAwIBAgIEAJiWjDANBgkqhkiG9w0BAQsFADBaMQswCQYDVQQGEwJOTDEeMBwGA1UE +CgwVU3RhYXQgZGVyIE5lZGVybGFuZGVuMSswKQYDVQQDDCJTdGFhdCBkZXIgTmVkZXJsYW5kZW4g +Um9vdCBDQSAtIEcyMB4XDTA4MDMyNjExMTgxN1oXDTIwMDMyNTExMDMxMFowWjELMAkGA1UEBhMC +TkwxHjAcBgNVBAoMFVN0YWF0IGRlciBOZWRlcmxhbmRlbjErMCkGA1UEAwwiU3RhYXQgZGVyIE5l +ZGVybGFuZGVuIFJvb3QgQ0EgLSBHMjCCAiIwDQYJKoZIhvcNAQEBBQADggIPADCCAgoCggIBAMVZ +5291qj5LnLW4rJ4L5PnZyqtdj7U5EILXr1HgO+EASGrP2uEGQxGZqhQlEq0i6ABtQ8SpuOUfiUtn +vWFI7/3S4GCI5bkYYCjDdyutsDeqN95kWSpGV+RLufg3fNU254DBtvPUZ5uW6M7XxgpT0GtJlvOj +CwV3SPcl5XCsMBQgJeN/dVrlSPhOewMHBPqCYYdu8DvEpMfQ9XQ+pV0aCPKbJdL2rAQmPlU6Yiil +e7Iwr/g3wtG61jj99O9JMDeZJiFIhQGp5Rbn3JBV3w/oOM2ZNyFPXfUib2rFEhZgF1XyZWampzCR +OME4HYYEhLoaJXhena/MUGDWE4dS7WMfbWV9whUYdMrhfmQpjHLYFhN9C0lK8SgbIHRrxT3dsKpI +CT0ugpTNGmXZK4iambwYfp/ufWZ8Pr2UuIHOzZgweMFvZ9C+X+Bo7d7iscksWXiSqt8rYGPy5V65 +48r6f1CGPqI0GAwJaCgRHOThuVw+R7oyPxjMW4T182t0xHJ04eOLoEq9jWYv6q012iDTiIJh8BIi +trzQ1aTsr1SIJSQ8p22xcik/Plemf1WvbibG/ufMQFxRRIEKeN5KzlW/HdXZt1bv8Hb/C3m1r737 +qWmRRpdogBQ2HbN/uymYNqUg+oJgYjOk7Na6B6duxc8UpufWkjTYgfX8HV2qXB72o007uPc5AgMB +AAGjgZcwgZQwDwYDVR0TAQH/BAUwAwEB/zBSBgNVHSAESzBJMEcGBFUdIAAwPzA9BggrBgEFBQcC +ARYxaHR0cDovL3d3dy5wa2lvdmVyaGVpZC5ubC9wb2xpY2llcy9yb290LXBvbGljeS1HMjAOBgNV +HQ8BAf8EBAMCAQYwHQYDVR0OBBYEFJFoMocVHYnitfGsNig0jQt8YojrMA0GCSqGSIb3DQEBCwUA +A4ICAQCoQUpnKpKBglBu4dfYszk78wIVCVBR7y29JHuIhjv5tLySCZa59sCrI2AGeYwRTlHSeYAz ++51IvuxBQ4EffkdAHOV6CMqqi3WtFMTC6GY8ggen5ieCWxjmD27ZUD6KQhgpxrRW/FYQoAUXvQwj +f/ST7ZwaUb7dRUG/kSS0H4zpX897IZmflZ85OkYcbPnNe5yQzSipx6lVu6xiNGI1E0sUOlWDuYaN +kqbG9AclVMwWVxJKgnjIFNkXgiYtXSAfea7+1HAWFpWD2DU5/1JddRwWxRNVz0fMdWVSSt7wsKfk +CpYL+63C4iWEst3kvX5ZbJvw8NjnyvLplzh+ib7M+zkXYT9y2zqR2GUBGR2tUKRXCnxLvJxxcypF +URmFzI79R6d0lR2o0a9OF7FpJsKqeFdbxU2n5Z4FF5TKsl+gSRiNNOkmbEgeqmiSBeGCc1qb3Adb +CG19ndeNIdn8FCCqwkXfP+cAslHkwvgFuXkajDTznlvkN1trSt8sV4pAWja63XVECDdCcAz+3F4h +oKOKwJCcaNpQ5kUQR3i2TtJlycM33+FCY7BXN0Ute4qcvwXqZVUz9zkQxSgqIXobisQk+T8VyJoV +IPVVYpbtbZNQvOSqeK3Zywplh6ZmwcSBo3c6WB4L7oOLnR7SUqTMHW+wmG2UMbX4cQrcufx9MmDm +66+KAQ== +-----END CERTIFICATE----- + +CA Disig +======== +-----BEGIN CERTIFICATE----- +MIIEDzCCAvegAwIBAgIBATANBgkqhkiG9w0BAQUFADBKMQswCQYDVQQGEwJTSzETMBEGA1UEBxMK +QnJhdGlzbGF2YTETMBEGA1UEChMKRGlzaWcgYS5zLjERMA8GA1UEAxMIQ0EgRGlzaWcwHhcNMDYw +MzIyMDEzOTM0WhcNMTYwMzIyMDEzOTM0WjBKMQswCQYDVQQGEwJTSzETMBEGA1UEBxMKQnJhdGlz +bGF2YTETMBEGA1UEChMKRGlzaWcgYS5zLjERMA8GA1UEAxMIQ0EgRGlzaWcwggEiMA0GCSqGSIb3 +DQEBAQUAA4IBDwAwggEKAoIBAQCS9jHBfYj9mQGp2HvycXXxMcbzdWb6UShGhJd4NLxs/LxFWYgm +GErENx+hSkS943EE9UQX4j/8SFhvXJ56CbpRNyIjZkMhsDxkovhqFQ4/61HhVKndBpnXmjxUizkD +Pw/Fzsbrg3ICqB9x8y34dQjbYkzo+s7552oftms1grrijxaSfQUMbEYDXcDtab86wYqg6I7ZuUUo +hwjstMoVvoLdtUSLLa2GDGhibYVW8qwUYzrG0ZmsNHhWS8+2rT+MitcE5eN4TPWGqvWP+j1scaMt +ymfraHtuM6kMgiioTGohQBUgDCZbg8KpFhXAJIJdKxatymP2dACw30PEEGBWZ2NFAgMBAAGjgf8w +gfwwDwYDVR0TAQH/BAUwAwEB/zAdBgNVHQ4EFgQUjbJJaJ1yCCW5wCf1UJNWSEZx+Y8wDgYDVR0P +AQH/BAQDAgEGMDYGA1UdEQQvMC2BE2Nhb3BlcmF0b3JAZGlzaWcuc2uGFmh0dHA6Ly93d3cuZGlz +aWcuc2svY2EwZgYDVR0fBF8wXTAtoCugKYYnaHR0cDovL3d3dy5kaXNpZy5zay9jYS9jcmwvY2Ff +ZGlzaWcuY3JsMCygKqAohiZodHRwOi8vY2EuZGlzaWcuc2svY2EvY3JsL2NhX2Rpc2lnLmNybDAa +BgNVHSAEEzARMA8GDSuBHpGT5goAAAABAQEwDQYJKoZIhvcNAQEFBQADggEBAF00dGFMrzvY/59t +WDYcPQuBDRIrRhCA/ec8J9B6yKm2fnQwM6M6int0wHl5QpNt/7EpFIKrIYwvF/k/Ji/1WcbvgAa3 +mkkp7M5+cTxqEEHA9tOasnxakZzArFvITV734VP/Q3f8nktnbNfzg9Gg4H8l37iYC5oyOGwwoPP/ +CBUz91BKez6jPiCp3C9WgArtQVCwyfTssuMmRAAOb54GvCKWU3BlxFAKRmukLyeBEicTXxChds6K +ezfqwzlhA5WYOudsiCUI/HloDYd9Yvi0X/vF2Ey9WLw/Q1vUHgFNPGO+I++MzVpQuGhU+QqZMxEA +4Z7CRneC9VkGjCFMhwnN5ag= +-----END CERTIFICATE----- + +Juur-SK +======= +-----BEGIN CERTIFICATE----- +MIIE5jCCA86gAwIBAgIEO45L/DANBgkqhkiG9w0BAQUFADBdMRgwFgYJKoZIhvcNAQkBFglwa2lA +c2suZWUxCzAJBgNVBAYTAkVFMSIwIAYDVQQKExlBUyBTZXJ0aWZpdHNlZXJpbWlza2Vza3VzMRAw +DgYDVQQDEwdKdXVyLVNLMB4XDTAxMDgzMDE0MjMwMVoXDTE2MDgyNjE0MjMwMVowXTEYMBYGCSqG +SIb3DQEJARYJcGtpQHNrLmVlMQswCQYDVQQGEwJFRTEiMCAGA1UEChMZQVMgU2VydGlmaXRzZWVy +aW1pc2tlc2t1czEQMA4GA1UEAxMHSnV1ci1TSzCCASIwDQYJKoZIhvcNAQEBBQADggEPADCCAQoC +ggEBAIFxNj4zB9bjMI0TfncyRsvPGbJgMUaXhvSYRqTCZUXP00B841oiqBB4M8yIsdOBSvZiF3tf +TQou0M+LI+5PAk676w7KvRhj6IAcjeEcjT3g/1tf6mTll+g/mX8MCgkzABpTpyHhOEvWgxutr2TC ++Rx6jGZITWYfGAriPrsfB2WThbkasLnE+w0R9vXW+RvHLCu3GFH+4Hv2qEivbDtPL+/40UceJlfw +UR0zlv/vWT3aTdEVNMfqPxZIe5EcgEMPPbgFPtGzlc3Yyg/CQ2fbt5PgIoIuvvVoKIO5wTtpeyDa +Tpxt4brNj3pssAki14sL2xzVWiZbDcDq5WDQn/413z8CAwEAAaOCAawwggGoMA8GA1UdEwEB/wQF +MAMBAf8wggEWBgNVHSAEggENMIIBCTCCAQUGCisGAQQBzh8BAQEwgfYwgdAGCCsGAQUFBwICMIHD +HoHAAFMAZQBlACAAcwBlAHIAdABpAGYAaQBrAGEAYQB0ACAAbwBuACAAdgDkAGwAagBhAHMAdABh +AHQAdQBkACAAQQBTAC0AaQBzACAAUwBlAHIAdABpAGYAaQB0AHMAZQBlAHIAaQBtAGkAcwBrAGUA +cwBrAHUAcwAgAGEAbABhAG0ALQBTAEsAIABzAGUAcgB0AGkAZgBpAGsAYQBhAHQAaQBkAGUAIABr +AGkAbgBuAGkAdABhAG0AaQBzAGUAawBzMCEGCCsGAQUFBwIBFhVodHRwOi8vd3d3LnNrLmVlL2Nw +cy8wKwYDVR0fBCQwIjAgoB6gHIYaaHR0cDovL3d3dy5zay5lZS9qdXVyL2NybC8wHQYDVR0OBBYE +FASqekej5ImvGs8KQKcYP2/v6X2+MB8GA1UdIwQYMBaAFASqekej5ImvGs8KQKcYP2/v6X2+MA4G +A1UdDwEB/wQEAwIB5jANBgkqhkiG9w0BAQUFAAOCAQEAe8EYlFOiCfP+JmeaUOTDBS8rNXiRTHyo +ERF5TElZrMj3hWVcRrs7EKACr81Ptcw2Kuxd/u+gkcm2k298gFTsxwhwDY77guwqYHhpNjbRxZyL +abVAyJRld/JXIWY7zoVAtjNjGr95HvxcHdMdkxuLDF2FvZkwMhgJkVLpfKG6/2SSmuz+Ne6ML678 +IIbsSt4beDI3poHSna9aEhbKmVv8b20OxaAehsmR0FyYgl9jDIpaq9iVpszLita/ZEuOyoqysOkh +Mp6qqIWYNIE5ITuoOlIyPfZrN4YGWhWY3PARZv40ILcD9EEQfTmEeZZyY7aWAuVrua0ZTbvGRNs2 +yyqcjg== +-----END CERTIFICATE----- + +Hongkong Post Root CA 1 +======================= +-----BEGIN CERTIFICATE----- +MIIDMDCCAhigAwIBAgICA+gwDQYJKoZIhvcNAQEFBQAwRzELMAkGA1UEBhMCSEsxFjAUBgNVBAoT +DUhvbmdrb25nIFBvc3QxIDAeBgNVBAMTF0hvbmdrb25nIFBvc3QgUm9vdCBDQSAxMB4XDTAzMDUx +NTA1MTMxNFoXDTIzMDUxNTA0NTIyOVowRzELMAkGA1UEBhMCSEsxFjAUBgNVBAoTDUhvbmdrb25n +IFBvc3QxIDAeBgNVBAMTF0hvbmdrb25nIFBvc3QgUm9vdCBDQSAxMIIBIjANBgkqhkiG9w0BAQEF +AAOCAQ8AMIIBCgKCAQEArP84tulmAknjorThkPlAj3n54r15/gK97iSSHSL22oVyaf7XPwnU3ZG1 +ApzQjVrhVcNQhrkpJsLj2aDxaQMoIIBFIi1WpztUlVYiWR8o3x8gPW2iNr4joLFutbEnPzlTCeqr +auh0ssJlXI6/fMN4hM2eFvz1Lk8gKgifd/PFHsSaUmYeSF7jEAaPIpjhZY4bXSNmO7ilMlHIhqqh +qZ5/dpTCpmy3QfDVyAY45tQM4vM7TG1QjMSDJ8EThFk9nnV0ttgCXjqQesBCNnLsak3c78QA3xMY +V18meMjWCnl3v/evt3a5pQuEF10Q6m/hq5URX208o1xNg1vysxmKgIsLhwIDAQABoyYwJDASBgNV +HRMBAf8ECDAGAQH/AgEDMA4GA1UdDwEB/wQEAwIBxjANBgkqhkiG9w0BAQUFAAOCAQEADkbVPK7i +h9legYsCmEEIjEy82tvuJxuC52pF7BaLT4Wg87JwvVqWuspube5Gi27nKi6Wsxkz67SfqLI37pio +l7Yutmcn1KZJ/RyTZXaeQi/cImyaT/JaFTmxcdcrUehtHJjA2Sr0oYJ71clBoiMBdDhViw+5Lmei +IAQ32pwL0xch4I+XeTRvhEgCIDMb5jREn5Fw9IBehEPCKdJsEhTkYY2sEJCehFC78JZvRZ+K88ps +T/oROhUVRsPNH4NbLUES7VBnQRM9IauUiqpOfMGx+6fWtScvl6tu4B3i0RwsH0Ti/L6RoZz71ilT +c4afU9hDDl3WY4JxHYB0yvbiAmvZWg== +-----END CERTIFICATE----- + +SecureSign RootCA11 +=================== +-----BEGIN CERTIFICATE----- +MIIDbTCCAlWgAwIBAgIBATANBgkqhkiG9w0BAQUFADBYMQswCQYDVQQGEwJKUDErMCkGA1UEChMi +SmFwYW4gQ2VydGlmaWNhdGlvbiBTZXJ2aWNlcywgSW5jLjEcMBoGA1UEAxMTU2VjdXJlU2lnbiBS +b290Q0ExMTAeFw0wOTA0MDgwNDU2NDdaFw0yOTA0MDgwNDU2NDdaMFgxCzAJBgNVBAYTAkpQMSsw +KQYDVQQKEyJKYXBhbiBDZXJ0aWZpY2F0aW9uIFNlcnZpY2VzLCBJbmMuMRwwGgYDVQQDExNTZWN1 +cmVTaWduIFJvb3RDQTExMIIBIjANBgkqhkiG9w0BAQEFAAOCAQ8AMIIBCgKCAQEA/XeqpRyQBTvL +TJszi1oURaTnkBbR31fSIRCkF/3frNYfp+TbfPfs37gD2pRY/V1yfIw/XwFndBWW4wI8h9uuywGO +wvNmxoVF9ALGOrVisq/6nL+k5tSAMJjzDbaTj6nU2DbysPyKyiyhFTOVMdrAG/LuYpmGYz+/3ZMq +g6h2uRMft85OQoWPIucuGvKVCbIFtUROd6EgvanyTgp9UK31BQ1FT0Zx/Sg+U/sE2C3XZR1KG/rP +O7AxmjVuyIsG0wCR8pQIZUyxNAYAeoni8McDWc/V1uinMrPmmECGxc0nEovMe863ETxiYAcjPitA +bpSACW22s293bzUIUPsCh8U+iQIDAQABo0IwQDAdBgNVHQ4EFgQUW/hNT7KlhtQ60vFjmqC+CfZX +t94wDgYDVR0PAQH/BAQDAgEGMA8GA1UdEwEB/wQFMAMBAf8wDQYJKoZIhvcNAQEFBQADggEBAKCh +OBZmLqdWHyGcBvod7bkixTgm2E5P7KN/ed5GIaGHd48HCJqypMWvDzKYC3xmKbabfSVSSUOrTC4r +bnpwrxYO4wJs+0LmGJ1F2FXI6Dvd5+H0LgscNFxsWEr7jIhQX5Ucv+2rIrVls4W6ng+4reV6G4pQ +Oh29Dbx7VFALuUKvVaAYga1lme++5Jy/xIWrQbJUb9wlze144o4MjQlJ3WN7WmmWAiGovVJZ6X01 +y8hSyn+B/tlr0/cR7SXf+Of5pPpyl4RTDaXQMhhRdlkUbA/r7F+AjHVDg8OFmP9Mni0N5HeDk061 +lgeLKBObjBmNQSdJQO7e5iNEOdyhIta6A/I= +-----END CERTIFICATE----- + +ACEDICOM Root +============= +-----BEGIN CERTIFICATE----- +MIIFtTCCA52gAwIBAgIIYY3HhjsBggUwDQYJKoZIhvcNAQEFBQAwRDEWMBQGA1UEAwwNQUNFRElD +T00gUm9vdDEMMAoGA1UECwwDUEtJMQ8wDQYDVQQKDAZFRElDT00xCzAJBgNVBAYTAkVTMB4XDTA4 +MDQxODE2MjQyMloXDTI4MDQxMzE2MjQyMlowRDEWMBQGA1UEAwwNQUNFRElDT00gUm9vdDEMMAoG +A1UECwwDUEtJMQ8wDQYDVQQKDAZFRElDT00xCzAJBgNVBAYTAkVTMIICIjANBgkqhkiG9w0BAQEF +AAOCAg8AMIICCgKCAgEA/5KV4WgGdrQsyFhIyv2AVClVYyT/kGWbEHV7w2rbYgIB8hiGtXxaOLHk +WLn709gtn70yN78sFW2+tfQh0hOR2QetAQXW8713zl9CgQr5auODAKgrLlUTY4HKRxx7XBZXehuD +YAQ6PmXDzQHe3qTWDLqO3tkE7hdWIpuPY/1NFgu3e3eM+SW10W2ZEi5PGrjm6gSSrj0RuVFCPYew +MYWveVqc/udOXpJPQ/yrOq2lEiZmueIM15jO1FillUAKt0SdE3QrwqXrIhWYENiLxQSfHY9g5QYb +m8+5eaA9oiM/Qj9r+hwDezCNzmzAv+YbX79nuIQZ1RXve8uQNjFiybwCq0Zfm/4aaJQ0PZCOrfbk +HQl/Sog4P75n/TSW9R28MHTLOO7VbKvU/PQAtwBbhTIWdjPp2KOZnQUAqhbm84F9b32qhm2tFXTT +xKJxqvQUfecyuB+81fFOvW8XAjnXDpVCOscAPukmYxHqC9FK/xidstd7LzrZlvvoHpKuE1XI2Sf2 +3EgbsCTBheN3nZqk8wwRHQ3ItBTutYJXCb8gWH8vIiPYcMt5bMlL8qkqyPyHK9caUPgn6C9D4zq9 +2Fdx/c6mUlv53U3t5fZvie27k5x2IXXwkkwp9y+cAS7+UEaeZAwUswdbxcJzbPEHXEUkFDWug/Fq +TYl6+rPYLWbwNof1K1MCAwEAAaOBqjCBpzAPBgNVHRMBAf8EBTADAQH/MB8GA1UdIwQYMBaAFKaz +4SsrSbbXc6GqlPUB53NlTKxQMA4GA1UdDwEB/wQEAwIBhjAdBgNVHQ4EFgQUprPhKytJttdzoaqU +9QHnc2VMrFAwRAYDVR0gBD0wOzA5BgRVHSAAMDEwLwYIKwYBBQUHAgEWI2h0dHA6Ly9hY2VkaWNv +bS5lZGljb21ncm91cC5jb20vZG9jMA0GCSqGSIb3DQEBBQUAA4ICAQDOLAtSUWImfQwng4/F9tqg +aHtPkl7qpHMyEVNEskTLnewPeUKzEKbHDZ3Ltvo/Onzqv4hTGzz3gvoFNTPhNahXwOf9jU8/kzJP +eGYDdwdY6ZXIfj7QeQCM8htRM5u8lOk6e25SLTKeI6RF+7YuE7CLGLHdztUdp0J/Vb77W7tH1Pwk +zQSulgUV1qzOMPPKC8W64iLgpq0i5ALudBF/TP94HTXa5gI06xgSYXcGCRZj6hitoocf8seACQl1 +ThCojz2GuHURwCRiipZ7SkXp7FnFvmuD5uHorLUwHv4FB4D54SMNUI8FmP8sX+g7tq3PgbUhh8oI +KiMnMCArz+2UW6yyetLHKKGKC5tNSixthT8Jcjxn4tncB7rrZXtaAWPWkFtPF2Y9fwsZo5NjEFIq +nxQWWOLcpfShFosOkYuByptZ+thrkQdlVV9SH686+5DdaaVbnG0OLLb6zqylfDJKZ0DcMDQj3dcE +I2bw/FWAp/tmGYI1Z2JwOV5vx+qQQEQIHriy1tvuWacNGHk0vFQYXlPKNFHtRQrmjseCNj6nOGOp +MCwXEGCSn1WHElkQwg9naRHMTh5+Spqtr0CodaxWkHS4oJyleW/c6RrIaQXpuvoDs3zk4E7Czp3o +tkYNbn5XOmeUwssfnHdKZ05phkOTOPu220+DkdRgfks+KzgHVZhepA== +-----END CERTIFICATE----- + +Verisign Class 1 Public Primary Certification Authority +======================================================= +-----BEGIN CERTIFICATE----- +MIICPDCCAaUCED9pHoGc8JpK83P/uUii5N0wDQYJKoZIhvcNAQEFBQAwXzELMAkGA1UEBhMCVVMx +FzAVBgNVBAoTDlZlcmlTaWduLCBJbmMuMTcwNQYDVQQLEy5DbGFzcyAxIFB1YmxpYyBQcmltYXJ5 +IENlcnRpZmljYXRpb24gQXV0aG9yaXR5MB4XDTk2MDEyOTAwMDAwMFoXDTI4MDgwMjIzNTk1OVow +XzELMAkGA1UEBhMCVVMxFzAVBgNVBAoTDlZlcmlTaWduLCBJbmMuMTcwNQYDVQQLEy5DbGFzcyAx +IFB1YmxpYyBQcmltYXJ5IENlcnRpZmljYXRpb24gQXV0aG9yaXR5MIGfMA0GCSqGSIb3DQEBAQUA +A4GNADCBiQKBgQDlGb9to1ZhLZlIcfZn3rmN67eehoAKkQ76OCWvRoiC5XOooJskXQ0fzGVuDLDQ +VoQYh5oGmxChc9+0WDlrbsH2FdWoqD+qEgaNMax/sDTXjzRniAnNFBHiTkVWaR94AoDa3EeRKbs2 +yWNcxeDXLYd7obcysHswuiovMaruo2fa2wIDAQABMA0GCSqGSIb3DQEBBQUAA4GBAFgVKTk8d6Pa +XCUDfGD67gmZPCcQcMgMCeazh88K4hiWNWLMv5sneYlfycQJ9M61Hd8qveXbhpxoJeUwfLaJFf5n +0a3hUKw8fGJLj7qE1xIVGx/KXQ/BUpQqEZnae88MNhPVNdwQGVnqlMEAv3WP2fr9dgTbYruQagPZ +RjXZ+Hxb +-----END CERTIFICATE----- + +Verisign Class 3 Public Primary Certification Authority +======================================================= +-----BEGIN CERTIFICATE----- +MIICPDCCAaUCEDyRMcsf9tAbDpq40ES/Er4wDQYJKoZIhvcNAQEFBQAwXzELMAkGA1UEBhMCVVMx +FzAVBgNVBAoTDlZlcmlTaWduLCBJbmMuMTcwNQYDVQQLEy5DbGFzcyAzIFB1YmxpYyBQcmltYXJ5 +IENlcnRpZmljYXRpb24gQXV0aG9yaXR5MB4XDTk2MDEyOTAwMDAwMFoXDTI4MDgwMjIzNTk1OVow +XzELMAkGA1UEBhMCVVMxFzAVBgNVBAoTDlZlcmlTaWduLCBJbmMuMTcwNQYDVQQLEy5DbGFzcyAz +IFB1YmxpYyBQcmltYXJ5IENlcnRpZmljYXRpb24gQXV0aG9yaXR5MIGfMA0GCSqGSIb3DQEBAQUA +A4GNADCBiQKBgQDJXFme8huKARS0EN8EQNvjV69qRUCPhAwL0TPZ2RHP7gJYHyX3KqhEBarsAx94 +f56TuZoAqiN91qyFomNFx3InzPRMxnVx0jnvT0Lwdd8KkMaOIG+YD/isI19wKTakyYbnsZogy1Ol +hec9vn2a/iRFM9x2Fe0PonFkTGUugWhFpwIDAQABMA0GCSqGSIb3DQEBBQUAA4GBABByUqkFFBky +CEHwxWsKzH4PIRnN5GfcX6kb5sroc50i2JhucwNhkcV8sEVAbkSdjbCxlnRhLQ2pRdKkkirWmnWX +bj9T/UWZYB2oK0z5XqcJ2HUw19JlYD1n1khVdWk/kfVIC0dpImmClr7JyDiGSnoscxlIaU5rfGW/ +D/xwzoiQ +-----END CERTIFICATE----- + +Microsec e-Szigno Root CA 2009 +============================== +-----BEGIN CERTIFICATE----- +MIIECjCCAvKgAwIBAgIJAMJ+QwRORz8ZMA0GCSqGSIb3DQEBCwUAMIGCMQswCQYDVQQGEwJIVTER +MA8GA1UEBwwIQnVkYXBlc3QxFjAUBgNVBAoMDU1pY3Jvc2VjIEx0ZC4xJzAlBgNVBAMMHk1pY3Jv +c2VjIGUtU3ppZ25vIFJvb3QgQ0EgMjAwOTEfMB0GCSqGSIb3DQEJARYQaW5mb0BlLXN6aWduby5o +dTAeFw0wOTA2MTYxMTMwMThaFw0yOTEyMzAxMTMwMThaMIGCMQswCQYDVQQGEwJIVTERMA8GA1UE +BwwIQnVkYXBlc3QxFjAUBgNVBAoMDU1pY3Jvc2VjIEx0ZC4xJzAlBgNVBAMMHk1pY3Jvc2VjIGUt +U3ppZ25vIFJvb3QgQ0EgMjAwOTEfMB0GCSqGSIb3DQEJARYQaW5mb0BlLXN6aWduby5odTCCASIw +DQYJKoZIhvcNAQEBBQADggEPADCCAQoCggEBAOn4j/NjrdqG2KfgQvvPkd6mJviZpWNwrZuuyjNA +fW2WbqEORO7hE52UQlKavXWFdCyoDh2Tthi3jCyoz/tccbna7P7ofo/kLx2yqHWH2Leh5TvPmUpG +0IMZfcChEhyVbUr02MelTTMuhTlAdX4UfIASmFDHQWe4oIBhVKZsTh/gnQ4H6cm6M+f+wFUoLAKA +pxn1ntxVUwOXewdI/5n7N4okxFnMUBBjjqqpGrCEGob5X7uxUG6k0QrM1XF+H6cbfPVTbiJfyyvm +1HxdrtbCxkzlBQHZ7Vf8wSN5/PrIJIOV87VqUQHQd9bpEqH5GoP7ghu5sJf0dgYzQ0mg/wu1+rUC +AwEAAaOBgDB+MA8GA1UdEwEB/wQFMAMBAf8wDgYDVR0PAQH/BAQDAgEGMB0GA1UdDgQWBBTLD8bf +QkPMPcu1SCOhGnqmKrs0aDAfBgNVHSMEGDAWgBTLD8bfQkPMPcu1SCOhGnqmKrs0aDAbBgNVHREE +FDASgRBpbmZvQGUtc3ppZ25vLmh1MA0GCSqGSIb3DQEBCwUAA4IBAQDJ0Q5eLtXMs3w+y/w9/w0o +lZMEyL/azXm4Q5DwpL7v8u8hmLzU1F0G9u5C7DBsoKqpyvGvivo/C3NqPuouQH4frlRheesuCDfX +I/OMn74dseGkddug4lQUsbocKaQY9hK6ohQU4zE1yED/t+AFdlfBHFny+L/k7SViXITwfn4fs775 +tyERzAMBVnCnEJIeGzSBHq2cGsMEPO0CYdYeBvNfOofyK/FFh+U9rNHHV4S9a67c2Pm2G2JwCz02 +yULyMtd6YebS2z3PyKnJm9zbWETXbzivf3jTo60adbocwTZ8jx5tHMN1Rq41Bab2XD0h7lbwyYIi +LXpUq3DDfSJlgnCW +-----END CERTIFICATE----- + +E-Guven Kok Elektronik Sertifika Hizmet Saglayicisi +=================================================== +-----BEGIN CERTIFICATE----- +MIIDtjCCAp6gAwIBAgIQRJmNPMADJ72cdpW56tustTANBgkqhkiG9w0BAQUFADB1MQswCQYDVQQG +EwJUUjEoMCYGA1UEChMfRWxla3Ryb25payBCaWxnaSBHdXZlbmxpZ2kgQS5TLjE8MDoGA1UEAxMz +ZS1HdXZlbiBLb2sgRWxla3Ryb25payBTZXJ0aWZpa2EgSGl6bWV0IFNhZ2xheWljaXNpMB4XDTA3 +MDEwNDExMzI0OFoXDTE3MDEwNDExMzI0OFowdTELMAkGA1UEBhMCVFIxKDAmBgNVBAoTH0VsZWt0 +cm9uaWsgQmlsZ2kgR3V2ZW5saWdpIEEuUy4xPDA6BgNVBAMTM2UtR3V2ZW4gS29rIEVsZWt0cm9u +aWsgU2VydGlmaWthIEhpem1ldCBTYWdsYXlpY2lzaTCCASIwDQYJKoZIhvcNAQEBBQADggEPADCC +AQoCggEBAMMSIJ6wXgBljU5Gu4Bc6SwGl9XzcslwuedLZYDBS75+PNdUMZTe1RK6UxYC6lhj71vY +8+0qGqpxSKPcEC1fX+tcS5yWCEIlKBHMilpiAVDV6wlTL/jDj/6z/P2douNffb7tC+Bg62nsM+3Y +jfsSSYMAyYuXjDtzKjKzEve5TfL0TW3H5tYmNwjy2f1rXKPlSFxYvEK+A1qBuhw1DADT9SN+cTAI +JjjcJRFHLfO6IxClv7wC90Nex/6wN1CZew+TzuZDLMN+DfIcQ2Zgy2ExR4ejT669VmxMvLz4Bcpk +9Ok0oSy1c+HCPujIyTQlCFzz7abHlJ+tiEMl1+E5YP6sOVkCAwEAAaNCMEAwDgYDVR0PAQH/BAQD +AgEGMA8GA1UdEwEB/wQFMAMBAf8wHQYDVR0OBBYEFJ/uRLOU1fqRTy7ZVZoEVtstxNulMA0GCSqG +SIb3DQEBBQUAA4IBAQB/X7lTW2M9dTLn+sR0GstG30ZpHFLPqk/CaOv/gKlR6D1id4k9CnU58W5d +F4dvaAXBlGzZXd/aslnLpRCKysw5zZ/rTt5S/wzw9JKp8mxTq5vSR6AfdPebmvEvFZ96ZDAYBzwq +D2fK/A+JYZ1lpTzlvBNbCNvj/+27BrtqBrF6T2XGgv0enIu1De5Iu7i9qgi0+6N8y5/NkHZchpZ4 +Vwpm+Vganf2XKWDeEaaQHBkc7gGWIjQ0LpH5t8Qn0Xvmv/uARFoW5evg1Ao4vOSR49XrXMGs3xtq +fJ7lddK2l4fbzIcrQzqECK+rPNv3PGYxhrCdU3nt+CPeQuMtgvEP5fqX +-----END CERTIFICATE----- + +GlobalSign Root CA - R3 +======================= +-----BEGIN CERTIFICATE----- +MIIDXzCCAkegAwIBAgILBAAAAAABIVhTCKIwDQYJKoZIhvcNAQELBQAwTDEgMB4GA1UECxMXR2xv +YmFsU2lnbiBSb290IENBIC0gUjMxEzARBgNVBAoTCkdsb2JhbFNpZ24xEzARBgNVBAMTCkdsb2Jh +bFNpZ24wHhcNMDkwMzE4MTAwMDAwWhcNMjkwMzE4MTAwMDAwWjBMMSAwHgYDVQQLExdHbG9iYWxT +aWduIFJvb3QgQ0EgLSBSMzETMBEGA1UEChMKR2xvYmFsU2lnbjETMBEGA1UEAxMKR2xvYmFsU2ln +bjCCASIwDQYJKoZIhvcNAQEBBQADggEPADCCAQoCggEBAMwldpB5BngiFvXAg7aEyiie/QV2EcWt +iHL8RgJDx7KKnQRfJMsuS+FggkbhUqsMgUdwbN1k0ev1LKMPgj0MK66X17YUhhB5uzsTgHeMCOFJ +0mpiLx9e+pZo34knlTifBtc+ycsmWQ1z3rDI6SYOgxXG71uL0gRgykmmKPZpO/bLyCiR5Z2KYVc3 +rHQU3HTgOu5yLy6c+9C7v/U9AOEGM+iCK65TpjoWc4zdQQ4gOsC0p6Hpsk+QLjJg6VfLuQSSaGjl +OCZgdbKfd/+RFO+uIEn8rUAVSNECMWEZXriX7613t2Saer9fwRPvm2L7DWzgVGkWqQPabumDk3F2 +xmmFghcCAwEAAaNCMEAwDgYDVR0PAQH/BAQDAgEGMA8GA1UdEwEB/wQFMAMBAf8wHQYDVR0OBBYE +FI/wS3+oLkUkrk1Q+mOai97i3Ru8MA0GCSqGSIb3DQEBCwUAA4IBAQBLQNvAUKr+yAzv95ZURUm7 +lgAJQayzE4aGKAczymvmdLm6AC2upArT9fHxD4q/c2dKg8dEe3jgr25sbwMpjjM5RcOO5LlXbKr8 +EpbsU8Yt5CRsuZRj+9xTaGdWPoO4zzUhw8lo/s7awlOqzJCK6fBdRoyV3XpYKBovHd7NADdBj+1E +bddTKJd+82cEHhXXipa0095MJ6RMG3NzdvQXmcIfeg7jLQitChws/zyrVQ4PkX4268NXSb7hLi18 +YIvDQVETI53O9zJrlAGomecsMx86OyXShkDOOyyGeMlhLxS67ttVb9+E7gUJTb0o2HLO02JQZR7r +kpeDMdmztcpHWD9f +-----END CERTIFICATE----- + +TC TrustCenter Universal CA III +=============================== +-----BEGIN CERTIFICATE----- +MIID4TCCAsmgAwIBAgIOYyUAAQACFI0zFQLkbPQwDQYJKoZIhvcNAQEFBQAwezELMAkGA1UEBhMC +REUxHDAaBgNVBAoTE1RDIFRydXN0Q2VudGVyIEdtYkgxJDAiBgNVBAsTG1RDIFRydXN0Q2VudGVy +IFVuaXZlcnNhbCBDQTEoMCYGA1UEAxMfVEMgVHJ1c3RDZW50ZXIgVW5pdmVyc2FsIENBIElJSTAe +Fw0wOTA5MDkwODE1MjdaFw0yOTEyMzEyMzU5NTlaMHsxCzAJBgNVBAYTAkRFMRwwGgYDVQQKExNU +QyBUcnVzdENlbnRlciBHbWJIMSQwIgYDVQQLExtUQyBUcnVzdENlbnRlciBVbml2ZXJzYWwgQ0Ex +KDAmBgNVBAMTH1RDIFRydXN0Q2VudGVyIFVuaXZlcnNhbCBDQSBJSUkwggEiMA0GCSqGSIb3DQEB +AQUAA4IBDwAwggEKAoIBAQDC2pxisLlxErALyBpXsq6DFJmzNEubkKLF5+cvAqBNLaT6hdqbJYUt +QCggbergvbFIgyIpRJ9Og+41URNzdNW88jBmlFPAQDYvDIRlzg9uwliT6CwLOunBjvvya8o84pxO +juT5fdMnnxvVZ3iHLX8LR7PH6MlIfK8vzArZQe+f/prhsq75U7Xl6UafYOPfjdN/+5Z+s7Vy+Eut +CHnNaYlAJ/Uqwa1D7KRTyGG299J5KmcYdkhtWyUB0SbFt1dpIxVbYYqt8Bst2a9c8SaQaanVDED1 +M4BDj5yjdipFtK+/fz6HP3bFzSreIMUWWMv5G/UPyw0RUmS40nZid4PxWJ//AgMBAAGjYzBhMB8G +A1UdIwQYMBaAFFbn4VslQ4Dg9ozhcbyO5YAvxEjiMA8GA1UdEwEB/wQFMAMBAf8wDgYDVR0PAQH/ +BAQDAgEGMB0GA1UdDgQWBBRW5+FbJUOA4PaM4XG8juWAL8RI4jANBgkqhkiG9w0BAQUFAAOCAQEA +g8ev6n9NCjw5sWi+e22JLumzCecYV42FmhfzdkJQEw/HkG8zrcVJYCtsSVgZ1OK+t7+rSbyUyKu+ +KGwWaODIl0YgoGhnYIg5IFHYaAERzqf2EQf27OysGh+yZm5WZ2B6dF7AbZc2rrUNXWZzwCUyRdhK +BgePxLcHsU0GDeGl6/R1yrqc0L2z0zIkTO5+4nYES0lT2PLpVDP85XEfPRRclkvxOvIAu2y0+pZV +CIgJwcyRGSmwIC3/yzikQOEXvnlhgP8HA4ZMTnsGnxGGjYnuJ8Tb4rwZjgvDwxPHLQNjO9Po5KIq +woIIlBZU8O8fJ5AluA0OKBtHd0e9HKgl8ZS0Zg== +-----END CERTIFICATE----- + +Autoridad de Certificacion Firmaprofesional CIF A62634068 +========================================================= +-----BEGIN CERTIFICATE----- +MIIGFDCCA/ygAwIBAgIIU+w77vuySF8wDQYJKoZIhvcNAQEFBQAwUTELMAkGA1UEBhMCRVMxQjBA +BgNVBAMMOUF1dG9yaWRhZCBkZSBDZXJ0aWZpY2FjaW9uIEZpcm1hcHJvZmVzaW9uYWwgQ0lGIEE2 +MjYzNDA2ODAeFw0wOTA1MjAwODM4MTVaFw0zMDEyMzEwODM4MTVaMFExCzAJBgNVBAYTAkVTMUIw +QAYDVQQDDDlBdXRvcmlkYWQgZGUgQ2VydGlmaWNhY2lvbiBGaXJtYXByb2Zlc2lvbmFsIENJRiBB +NjI2MzQwNjgwggIiMA0GCSqGSIb3DQEBAQUAA4ICDwAwggIKAoICAQDKlmuO6vj78aI14H9M2uDD +Utd9thDIAl6zQyrET2qyyhxdKJp4ERppWVevtSBC5IsP5t9bpgOSL/UR5GLXMnE42QQMcas9UX4P +B99jBVzpv5RvwSmCwLTaUbDBPLutN0pcyvFLNg4kq7/DhHf9qFD0sefGL9ItWY16Ck6WaVICqjaY +7Pz6FIMMNx/Jkjd/14Et5cS54D40/mf0PmbR0/RAz15iNA9wBj4gGFrO93IbJWyTdBSTo3OxDqqH +ECNZXyAFGUftaI6SEspd/NYrspI8IM/hX68gvqB2f3bl7BqGYTM+53u0P6APjqK5am+5hyZvQWyI +plD9amML9ZMWGxmPsu2bm8mQ9QEM3xk9Dz44I8kvjwzRAv4bVdZO0I08r0+k8/6vKtMFnXkIoctX +MbScyJCyZ/QYFpM6/EfY0XiWMR+6KwxfXZmtY4laJCB22N/9q06mIqqdXuYnin1oKaPnirjaEbsX +LZmdEyRG98Xi2J+Of8ePdG1asuhy9azuJBCtLxTa/y2aRnFHvkLfuwHb9H/TKI8xWVvTyQKmtFLK +bpf7Q8UIJm+K9Lv9nyiqDdVF8xM6HdjAeI9BZzwelGSuewvF6NkBiDkal4ZkQdU7hwxu+g/GvUgU +vzlN1J5Bto+WHWOWk9mVBngxaJ43BjuAiUVhOSPHG0SjFeUc+JIwuwIDAQABo4HvMIHsMBIGA1Ud +EwEB/wQIMAYBAf8CAQEwDgYDVR0PAQH/BAQDAgEGMB0GA1UdDgQWBBRlzeurNR4APn7VdMActHNH +DhpkLzCBpgYDVR0gBIGeMIGbMIGYBgRVHSAAMIGPMC8GCCsGAQUFBwIBFiNodHRwOi8vd3d3LmZp +cm1hcHJvZmVzaW9uYWwuY29tL2NwczBcBggrBgEFBQcCAjBQHk4AUABhAHMAZQBvACAAZABlACAA +bABhACAAQgBvAG4AYQBuAG8AdgBhACAANAA3ACAAQgBhAHIAYwBlAGwAbwBuAGEAIAAwADgAMAAx +ADcwDQYJKoZIhvcNAQEFBQADggIBABd9oPm03cXF661LJLWhAqvdpYhKsg9VSytXjDvlMd3+xDLx +51tkljYyGOylMnfX40S2wBEqgLk9am58m9Ot/MPWo+ZkKXzR4Tgegiv/J2Wv+xYVxC5xhOW1//qk +R71kMrv2JYSiJ0L1ILDCExARzRAVukKQKtJE4ZYm6zFIEv0q2skGz3QeqUvVhyj5eTSSPi5E6PaP +T481PyWzOdxjKpBrIF/EUhJOlywqrJ2X3kjyo2bbwtKDlaZmp54lD+kLM5FlClrD2VQS3a/DTg4f +Jl4N3LON7NWBcN7STyQF82xO9UxJZo3R/9ILJUFI/lGExkKvgATP0H5kSeTy36LssUzAKh3ntLFl +osS88Zj0qnAHY7S42jtM+kAiMFsRpvAFDsYCA0irhpuF3dvd6qJ2gHN99ZwExEWN57kci57q13XR +crHedUTnQn3iV2t93Jm8PYMo6oCTjcVMZcFwgbg4/EMxsvYDNEeyrPsiBsse3RdHHF9mudMaotoR +saS8I8nkvof/uZS2+F0gStRf571oe2XyFR7SOqkt6dhrJKyXWERHrVkY8SFlcN7ONGCoQPHzPKTD +KCOM/iczQ0CgFzzr6juwcqajuUpLXhZI9LK8yIySxZ2frHI2vDSANGupi5LAuBft7HZT9SQBjLMi +6Et8Vcad+qMUu2WFbm5PEn4KPJ2V +-----END CERTIFICATE----- + +Izenpe.com +========== +-----BEGIN CERTIFICATE----- +MIIF8TCCA9mgAwIBAgIQALC3WhZIX7/hy/WL1xnmfTANBgkqhkiG9w0BAQsFADA4MQswCQYDVQQG +EwJFUzEUMBIGA1UECgwLSVpFTlBFIFMuQS4xEzARBgNVBAMMCkl6ZW5wZS5jb20wHhcNMDcxMjEz +MTMwODI4WhcNMzcxMjEzMDgyNzI1WjA4MQswCQYDVQQGEwJFUzEUMBIGA1UECgwLSVpFTlBFIFMu +QS4xEzARBgNVBAMMCkl6ZW5wZS5jb20wggIiMA0GCSqGSIb3DQEBAQUAA4ICDwAwggIKAoICAQDJ +03rKDx6sp4boFmVqscIbRTJxldn+EFvMr+eleQGPicPK8lVx93e+d5TzcqQsRNiekpsUOqHnJJAK +ClaOxdgmlOHZSOEtPtoKct2jmRXagaKH9HtuJneJWK3W6wyyQXpzbm3benhB6QiIEn6HLmYRY2xU ++zydcsC8Lv/Ct90NduM61/e0aL6i9eOBbsFGb12N4E3GVFWJGjMxCrFXuaOKmMPsOzTFlUFpfnXC +PCDFYbpRR6AgkJOhkEvzTnyFRVSa0QUmQbC1TR0zvsQDyCV8wXDbO/QJLVQnSKwv4cSsPsjLkkxT +OTcj7NMB+eAJRE1NZMDhDVqHIrytG6P+JrUV86f8hBnp7KGItERphIPzidF0BqnMC9bC3ieFUCbK +F7jJeodWLBoBHmy+E60QrLUk9TiRodZL2vG70t5HtfG8gfZZa88ZU+mNFctKy6lvROUbQc/hhqfK +0GqfvEyNBjNaooXlkDWgYlwWTvDjovoDGrQscbNYLN57C9saD+veIR8GdwYDsMnvmfzAuU8Lhij+ +0rnq49qlw0dpEuDb8PYZi+17cNcC1u2HGCgsBCRMd+RIihrGO5rUD8r6ddIBQFqNeb+Lz0vPqhbB +leStTIo+F5HUsWLlguWABKQDfo2/2n+iD5dPDNMN+9fR5XJ+HMh3/1uaD7euBUbl8agW7EekFwID +AQABo4H2MIHzMIGwBgNVHREEgagwgaWBD2luZm9AaXplbnBlLmNvbaSBkTCBjjFHMEUGA1UECgw+ +SVpFTlBFIFMuQS4gLSBDSUYgQTAxMzM3MjYwLVJNZXJjLlZpdG9yaWEtR2FzdGVpeiBUMTA1NSBG +NjIgUzgxQzBBBgNVBAkMOkF2ZGEgZGVsIE1lZGl0ZXJyYW5lbyBFdG9yYmlkZWEgMTQgLSAwMTAx +MCBWaXRvcmlhLUdhc3RlaXowDwYDVR0TAQH/BAUwAwEB/zAOBgNVHQ8BAf8EBAMCAQYwHQYDVR0O +BBYEFB0cZQ6o8iV7tJHP5LGx5r1VdGwFMA0GCSqGSIb3DQEBCwUAA4ICAQB4pgwWSp9MiDrAyw6l +Fn2fuUhfGI8NYjb2zRlrrKvV9pF9rnHzP7MOeIWblaQnIUdCSnxIOvVFfLMMjlF4rJUT3sb9fbga +kEyrkgPH7UIBzg/YsfqikuFgba56awmqxinuaElnMIAkejEWOVt+8Rwu3WwJrfIxwYJOubv5vr8q +hT/AQKM6WfxZSzwoJNu0FXWuDYi6LnPAvViH5ULy617uHjAimcs30cQhbIHsvm0m5hzkQiCeR7Cs +g1lwLDXWrzY0tM07+DKo7+N4ifuNRSzanLh+QBxh5z6ikixL8s36mLYp//Pye6kfLqCTVyvehQP5 +aTfLnnhqBbTFMXiJ7HqnheG5ezzevh55hM6fcA5ZwjUukCox2eRFekGkLhObNA5me0mrZJfQRsN5 +nXJQY6aYWwa9SG3YOYNw6DXwBdGqvOPbyALqfP2C2sJbUjWumDqtujWTI6cfSN01RpiyEGjkpTHC +ClguGYEQyVB1/OpaFs4R1+7vUIgtYf8/QnMFlEPVjjxOAToZpR9GTnfQXeWBIiGH/pR9hNiTrdZo +Q0iy2+tzJOeRf1SktoA+naM8THLCV8Sg1Mw4J87VBp6iSNnpn86CcDaTmjvfliHjWbcM2pE38P1Z +WrOZyGlsQyYBNWNgVYkDOnXYukrZVP/u3oDYLdE41V4tC5h9Pmzb/CaIxw== +-----END CERTIFICATE----- + +Chambers of Commerce Root - 2008 +================================ +-----BEGIN CERTIFICATE----- +MIIHTzCCBTegAwIBAgIJAKPaQn6ksa7aMA0GCSqGSIb3DQEBBQUAMIGuMQswCQYDVQQGEwJFVTFD +MEEGA1UEBxM6TWFkcmlkIChzZWUgY3VycmVudCBhZGRyZXNzIGF0IHd3dy5jYW1lcmZpcm1hLmNv +bS9hZGRyZXNzKTESMBAGA1UEBRMJQTgyNzQzMjg3MRswGQYDVQQKExJBQyBDYW1lcmZpcm1hIFMu +QS4xKTAnBgNVBAMTIENoYW1iZXJzIG9mIENvbW1lcmNlIFJvb3QgLSAyMDA4MB4XDTA4MDgwMTEy +Mjk1MFoXDTM4MDczMTEyMjk1MFowga4xCzAJBgNVBAYTAkVVMUMwQQYDVQQHEzpNYWRyaWQgKHNl +ZSBjdXJyZW50IGFkZHJlc3MgYXQgd3d3LmNhbWVyZmlybWEuY29tL2FkZHJlc3MpMRIwEAYDVQQF +EwlBODI3NDMyODcxGzAZBgNVBAoTEkFDIENhbWVyZmlybWEgUy5BLjEpMCcGA1UEAxMgQ2hhbWJl +cnMgb2YgQ29tbWVyY2UgUm9vdCAtIDIwMDgwggIiMA0GCSqGSIb3DQEBAQUAA4ICDwAwggIKAoIC +AQCvAMtwNyuAWko6bHiUfaN/Gh/2NdW928sNRHI+JrKQUrpjOyhYb6WzbZSm891kDFX29ufyIiKA +XuFixrYp4YFs8r/lfTJqVKAyGVn+H4vXPWCGhSRv4xGzdz4gljUha7MI2XAuZPeEklPWDrCQiorj +h40G072QDuKZoRuGDtqaCrsLYVAGUvGef3bsyw/QHg3PmTA9HMRFEFis1tPo1+XqxQEHd9ZR5gN/ +ikilTWh1uem8nk4ZcfUyS5xtYBkL+8ydddy/Js2Pk3g5eXNeJQ7KXOt3EgfLZEFHcpOrUMPrCXZk +NNI5t3YRCQ12RcSprj1qr7V9ZS+UWBDsXHyvfuK2GNnQm05aSd+pZgvMPMZ4fKecHePOjlO+Bd5g +D2vlGts/4+EhySnB8esHnFIbAURRPHsl18TlUlRdJQfKFiC4reRB7noI/plvg6aRArBsNlVq5331 +lubKgdaX8ZSD6e2wsWsSaR6s+12pxZjptFtYer49okQ6Y1nUCyXeG0+95QGezdIp1Z8XGQpvvwyQ +0wlf2eOKNcx5Wk0ZN5K3xMGtr/R5JJqyAQuxr1yW84Ay+1w9mPGgP0revq+ULtlVmhduYJ1jbLhj +ya6BXBg14JC7vjxPNyK5fuvPnnchpj04gftI2jE9K+OJ9dC1vX7gUMQSibMjmhAxhduub+84Mxh2 +EQIDAQABo4IBbDCCAWgwEgYDVR0TAQH/BAgwBgEB/wIBDDAdBgNVHQ4EFgQU+SSsD7K1+HnA+mCI +G8TZTQKeFxkwgeMGA1UdIwSB2zCB2IAU+SSsD7K1+HnA+mCIG8TZTQKeFxmhgbSkgbEwga4xCzAJ +BgNVBAYTAkVVMUMwQQYDVQQHEzpNYWRyaWQgKHNlZSBjdXJyZW50IGFkZHJlc3MgYXQgd3d3LmNh +bWVyZmlybWEuY29tL2FkZHJlc3MpMRIwEAYDVQQFEwlBODI3NDMyODcxGzAZBgNVBAoTEkFDIENh +bWVyZmlybWEgUy5BLjEpMCcGA1UEAxMgQ2hhbWJlcnMgb2YgQ29tbWVyY2UgUm9vdCAtIDIwMDiC +CQCj2kJ+pLGu2jAOBgNVHQ8BAf8EBAMCAQYwPQYDVR0gBDYwNDAyBgRVHSAAMCowKAYIKwYBBQUH +AgEWHGh0dHA6Ly9wb2xpY3kuY2FtZXJmaXJtYS5jb20wDQYJKoZIhvcNAQEFBQADggIBAJASryI1 +wqM58C7e6bXpeHxIvj99RZJe6dqxGfwWPJ+0W2aeaufDuV2I6A+tzyMP3iU6XsxPpcG1Lawk0lgH +3qLPaYRgM+gQDROpI9CF5Y57pp49chNyM/WqfcZjHwj0/gF/JM8rLFQJ3uIrbZLGOU8W6jx+ekbU +RWpGqOt1glanq6B8aBMz9p0w8G8nOSQjKpD9kCk18pPfNKXG9/jvjA9iSnyu0/VU+I22mlaHFoI6 +M6taIgj3grrqLuBHmrS1RaMFO9ncLkVAO+rcf+g769HsJtg1pDDFOqxXnrN2pSB7+R5KBWIBpih1 +YJeSDW4+TTdDDZIVnBgizVGZoCkaPF+KMjNbMMeJL0eYD6MDxvbxrN8y8NmBGuScvfaAFPDRLLmF +9dijscilIeUcE5fuDr3fKanvNFNb0+RqE4QGtjICxFKuItLcsiFCGtpA8CnJ7AoMXOLQusxI0zcK +zBIKinmwPQN/aUv0NCB9szTqjktk9T79syNnFQ0EuPAtwQlRPLJsFfClI9eDdOTlLsn+mCdCxqvG +nrDQWzilm1DefhiYtUU79nm06PcaewaD+9CL2rvHvRirCG88gGtAPxkZumWK5r7VXNM21+9AUiRg +OGcEMeyP84LG3rlV8zsxkVrctQgVrXYlCg17LofiDKYGvCYQbTed7N14jHyAxfDZd0jQ +-----END CERTIFICATE----- + +Global Chambersign Root - 2008 +============================== +-----BEGIN CERTIFICATE----- +MIIHSTCCBTGgAwIBAgIJAMnN0+nVfSPOMA0GCSqGSIb3DQEBBQUAMIGsMQswCQYDVQQGEwJFVTFD +MEEGA1UEBxM6TWFkcmlkIChzZWUgY3VycmVudCBhZGRyZXNzIGF0IHd3dy5jYW1lcmZpcm1hLmNv +bS9hZGRyZXNzKTESMBAGA1UEBRMJQTgyNzQzMjg3MRswGQYDVQQKExJBQyBDYW1lcmZpcm1hIFMu +QS4xJzAlBgNVBAMTHkdsb2JhbCBDaGFtYmVyc2lnbiBSb290IC0gMjAwODAeFw0wODA4MDExMjMx +NDBaFw0zODA3MzExMjMxNDBaMIGsMQswCQYDVQQGEwJFVTFDMEEGA1UEBxM6TWFkcmlkIChzZWUg +Y3VycmVudCBhZGRyZXNzIGF0IHd3dy5jYW1lcmZpcm1hLmNvbS9hZGRyZXNzKTESMBAGA1UEBRMJ +QTgyNzQzMjg3MRswGQYDVQQKExJBQyBDYW1lcmZpcm1hIFMuQS4xJzAlBgNVBAMTHkdsb2JhbCBD +aGFtYmVyc2lnbiBSb290IC0gMjAwODCCAiIwDQYJKoZIhvcNAQEBBQADggIPADCCAgoCggIBAMDf +VtPkOpt2RbQT2//BthmLN0EYlVJH6xedKYiONWwGMi5HYvNJBL99RDaxccy9Wglz1dmFRP+RVyXf +XjaOcNFccUMd2drvXNL7G706tcuto8xEpw2uIRU/uXpbknXYpBI4iRmKt4DS4jJvVpyR1ogQC7N0 +ZJJ0YPP2zxhPYLIj0Mc7zmFLmY/CDNBAspjcDahOo7kKrmCgrUVSY7pmvWjg+b4aqIG7HkF4ddPB +/gBVsIdU6CeQNR1MM62X/JcumIS/LMmjv9GYERTtY/jKmIhYF5ntRQOXfjyGHoiMvvKRhI9lNNgA +TH23MRdaKXoKGCQwoze1eqkBfSbW+Q6OWfH9GzO1KTsXO0G2Id3UwD2ln58fQ1DJu7xsepeY7s2M +H/ucUa6LcL0nn3HAa6x9kGbo1106DbDVwo3VyJ2dwW3Q0L9R5OP4wzg2rtandeavhENdk5IMagfe +Ox2YItaswTXbo6Al/3K1dh3ebeksZixShNBFks4c5eUzHdwHU1SjqoI7mjcv3N2gZOnm3b2u/GSF +HTynyQbehP9r6GsaPMWis0L7iwk+XwhSx2LE1AVxv8Rk5Pihg+g+EpuoHtQ2TS9x9o0o9oOpE9Jh +wZG7SMA0j0GMS0zbaRL/UJScIINZc+18ofLx/d33SdNDWKBWY8o9PeU1VlnpDsogzCtLkykPAgMB +AAGjggFqMIIBZjASBgNVHRMBAf8ECDAGAQH/AgEMMB0GA1UdDgQWBBS5CcqcHtvTbDprru1U8VuT +BjUuXjCB4QYDVR0jBIHZMIHWgBS5CcqcHtvTbDprru1U8VuTBjUuXqGBsqSBrzCBrDELMAkGA1UE +BhMCRVUxQzBBBgNVBAcTOk1hZHJpZCAoc2VlIGN1cnJlbnQgYWRkcmVzcyBhdCB3d3cuY2FtZXJm +aXJtYS5jb20vYWRkcmVzcykxEjAQBgNVBAUTCUE4Mjc0MzI4NzEbMBkGA1UEChMSQUMgQ2FtZXJm +aXJtYSBTLkEuMScwJQYDVQQDEx5HbG9iYWwgQ2hhbWJlcnNpZ24gUm9vdCAtIDIwMDiCCQDJzdPp +1X0jzjAOBgNVHQ8BAf8EBAMCAQYwPQYDVR0gBDYwNDAyBgRVHSAAMCowKAYIKwYBBQUHAgEWHGh0 +dHA6Ly9wb2xpY3kuY2FtZXJmaXJtYS5jb20wDQYJKoZIhvcNAQEFBQADggIBAICIf3DekijZBZRG +/5BXqfEv3xoNa/p8DhxJJHkn2EaqbylZUohwEurdPfWbU1Rv4WCiqAm57OtZfMY18dwY6fFn5a+6 +ReAJ3spED8IXDneRRXozX1+WLGiLwUePmJs9wOzL9dWCkoQ10b42OFZyMVtHLaoXpGNR6woBrX/s +dZ7LoR/xfxKxueRkf2fWIyr0uDldmOghp+G9PUIadJpwr2hsUF1Jz//7Dl3mLEfXgTpZALVza2Mg +9jFFCDkO9HB+QHBaP9BrQql0PSgvAm11cpUJjUhjxsYjV5KTXjXBjfkK9yydYhz2rXzdpjEetrHH +foUm+qRqtdpjMNHvkzeyZi99Bffnt0uYlDXA2TopwZ2yUDMdSqlapskD7+3056huirRXhOukP9Du +qqqHW2Pok+JrqNS4cnhrG+055F3Lm6qH1U9OAP7Zap88MQ8oAgF9mOinsKJknnn4SPIVqczmyETr +P3iZ8ntxPjzxmKfFGBI/5rsoM0LpRQp8bfKGeS/Fghl9CYl8slR2iK7ewfPM4W7bMdaTrpmg7yVq +c5iJWzouE4gev8CSlDQb4ye3ix5vQv/n6TebUB0tovkC7stYWDpxvGjjqsGvHCgfotwjZT+B6q6Z +09gwzxMNTxXJhLynSC34MCN32EZLeW32jO06f2ARePTpm67VVMB0gNELQp/B +-----END CERTIFICATE----- + +Go Daddy Root Certificate Authority - G2 +======================================== +-----BEGIN CERTIFICATE----- +MIIDxTCCAq2gAwIBAgIBADANBgkqhkiG9w0BAQsFADCBgzELMAkGA1UEBhMCVVMxEDAOBgNVBAgT +B0FyaXpvbmExEzARBgNVBAcTClNjb3R0c2RhbGUxGjAYBgNVBAoTEUdvRGFkZHkuY29tLCBJbmMu +MTEwLwYDVQQDEyhHbyBEYWRkeSBSb290IENlcnRpZmljYXRlIEF1dGhvcml0eSAtIEcyMB4XDTA5 +MDkwMTAwMDAwMFoXDTM3MTIzMTIzNTk1OVowgYMxCzAJBgNVBAYTAlVTMRAwDgYDVQQIEwdBcml6 +b25hMRMwEQYDVQQHEwpTY290dHNkYWxlMRowGAYDVQQKExFHb0RhZGR5LmNvbSwgSW5jLjExMC8G +A1UEAxMoR28gRGFkZHkgUm9vdCBDZXJ0aWZpY2F0ZSBBdXRob3JpdHkgLSBHMjCCASIwDQYJKoZI +hvcNAQEBBQADggEPADCCAQoCggEBAL9xYgjx+lk09xvJGKP3gElY6SKDE6bFIEMBO4Tx5oVJnyfq +9oQbTqC023CYxzIBsQU+B07u9PpPL1kwIuerGVZr4oAH/PMWdYA5UXvl+TW2dE6pjYIT5LY/qQOD ++qK+ihVqf94Lw7YZFAXK6sOoBJQ7RnwyDfMAZiLIjWltNowRGLfTshxgtDj6AozO091GB94KPutd +fMh8+7ArU6SSYmlRJQVhGkSBjCypQ5Yj36w6gZoOKcUcqeldHraenjAKOc7xiID7S13MMuyFYkMl +NAJWJwGRtDtwKj9useiciAF9n9T521NtYJ2/LOdYq7hfRvzOxBsDPAnrSTFcaUaz4EcCAwEAAaNC +MEAwDwYDVR0TAQH/BAUwAwEB/zAOBgNVHQ8BAf8EBAMCAQYwHQYDVR0OBBYEFDqahQcQZyi27/a9 +BUFuIMGU2g/eMA0GCSqGSIb3DQEBCwUAA4IBAQCZ21151fmXWWcDYfF+OwYxdS2hII5PZYe096ac +vNjpL9DbWu7PdIxztDhC2gV7+AJ1uP2lsdeu9tfeE8tTEH6KRtGX+rcuKxGrkLAngPnon1rpN5+r +5N9ss4UXnT3ZJE95kTXWXwTrgIOrmgIttRD02JDHBHNA7XIloKmf7J6raBKZV8aPEjoJpL1E/QYV +N8Gb5DKj7Tjo2GTzLH4U/ALqn83/B2gX2yKQOC16jdFU8WnjXzPKej17CuPKf1855eJ1usV2GDPO +LPAvTK33sefOT6jEm0pUBsV/fdUID+Ic/n4XuKxe9tQWskMJDE32p2u0mYRlynqI4uJEvlz36hz1 +-----END CERTIFICATE----- + +Starfield Root Certificate Authority - G2 +========================================= +-----BEGIN CERTIFICATE----- +MIID3TCCAsWgAwIBAgIBADANBgkqhkiG9w0BAQsFADCBjzELMAkGA1UEBhMCVVMxEDAOBgNVBAgT +B0FyaXpvbmExEzARBgNVBAcTClNjb3R0c2RhbGUxJTAjBgNVBAoTHFN0YXJmaWVsZCBUZWNobm9s +b2dpZXMsIEluYy4xMjAwBgNVBAMTKVN0YXJmaWVsZCBSb290IENlcnRpZmljYXRlIEF1dGhvcml0 +eSAtIEcyMB4XDTA5MDkwMTAwMDAwMFoXDTM3MTIzMTIzNTk1OVowgY8xCzAJBgNVBAYTAlVTMRAw +DgYDVQQIEwdBcml6b25hMRMwEQYDVQQHEwpTY290dHNkYWxlMSUwIwYDVQQKExxTdGFyZmllbGQg +VGVjaG5vbG9naWVzLCBJbmMuMTIwMAYDVQQDEylTdGFyZmllbGQgUm9vdCBDZXJ0aWZpY2F0ZSBB +dXRob3JpdHkgLSBHMjCCASIwDQYJKoZIhvcNAQEBBQADggEPADCCAQoCggEBAL3twQP89o/8ArFv +W59I2Z154qK3A2FWGMNHttfKPTUuiUP3oWmb3ooa/RMgnLRJdzIpVv257IzdIvpy3Cdhl+72WoTs +bhm5iSzchFvVdPtrX8WJpRBSiUZV9Lh1HOZ/5FSuS/hVclcCGfgXcVnrHigHdMWdSL5stPSksPNk +N3mSwOxGXn/hbVNMYq/NHwtjuzqd+/x5AJhhdM8mgkBj87JyahkNmcrUDnXMN/uLicFZ8WJ/X7Nf +ZTD4p7dNdloedl40wOiWVpmKs/B/pM293DIxfJHP4F8R+GuqSVzRmZTRouNjWwl2tVZi4Ut0HZbU +JtQIBFnQmA4O5t78w+wfkPECAwEAAaNCMEAwDwYDVR0TAQH/BAUwAwEB/zAOBgNVHQ8BAf8EBAMC +AQYwHQYDVR0OBBYEFHwMMh+n2TB/xH1oo2Kooc6rB1snMA0GCSqGSIb3DQEBCwUAA4IBAQARWfol +TwNvlJk7mh+ChTnUdgWUXuEok21iXQnCoKjUsHU48TRqneSfioYmUeYs0cYtbpUgSpIB7LiKZ3sx +4mcujJUDJi5DnUox9g61DLu34jd/IroAow57UvtruzvE03lRTs2Q9GcHGcg8RnoNAX3FWOdt5oUw +F5okxBDgBPfg8n/Uqgr/Qh037ZTlZFkSIHc40zI+OIF1lnP6aI+xy84fxez6nH7PfrHxBy22/L/K +pL/QlwVKvOoYKAKQvVR4CSFx09F9HdkWsKlhPdAKACL8x3vLCWRFCztAgfd9fDL1mMpYjn0q7pBZ +c2T5NnReJaH1ZgUufzkVqSr7UIuOhWn0 +-----END CERTIFICATE----- + +Starfield Services Root Certificate Authority - G2 +================================================== +-----BEGIN CERTIFICATE----- +MIID7zCCAtegAwIBAgIBADANBgkqhkiG9w0BAQsFADCBmDELMAkGA1UEBhMCVVMxEDAOBgNVBAgT +B0FyaXpvbmExEzARBgNVBAcTClNjb3R0c2RhbGUxJTAjBgNVBAoTHFN0YXJmaWVsZCBUZWNobm9s +b2dpZXMsIEluYy4xOzA5BgNVBAMTMlN0YXJmaWVsZCBTZXJ2aWNlcyBSb290IENlcnRpZmljYXRl +IEF1dGhvcml0eSAtIEcyMB4XDTA5MDkwMTAwMDAwMFoXDTM3MTIzMTIzNTk1OVowgZgxCzAJBgNV +BAYTAlVTMRAwDgYDVQQIEwdBcml6b25hMRMwEQYDVQQHEwpTY290dHNkYWxlMSUwIwYDVQQKExxT +dGFyZmllbGQgVGVjaG5vbG9naWVzLCBJbmMuMTswOQYDVQQDEzJTdGFyZmllbGQgU2VydmljZXMg +Um9vdCBDZXJ0aWZpY2F0ZSBBdXRob3JpdHkgLSBHMjCCASIwDQYJKoZIhvcNAQEBBQADggEPADCC +AQoCggEBANUMOsQq+U7i9b4Zl1+OiFOxHz/Lz58gE20pOsgPfTz3a3Y4Y9k2YKibXlwAgLIvWX/2 +h/klQ4bnaRtSmpDhcePYLQ1Ob/bISdm28xpWriu2dBTrz/sm4xq6HZYuajtYlIlHVv8loJNwU4Pa +hHQUw2eeBGg6345AWh1KTs9DkTvnVtYAcMtS7nt9rjrnvDH5RfbCYM8TWQIrgMw0R9+53pBlbQLP +LJGmpufehRhJfGZOozptqbXuNC66DQO4M99H67FrjSXZm86B0UVGMpZwh94CDklDhbZsc7tk6mFB +rMnUVN+HL8cisibMn1lUaJ/8viovxFUcdUBgF4UCVTmLfwUCAwEAAaNCMEAwDwYDVR0TAQH/BAUw +AwEB/zAOBgNVHQ8BAf8EBAMCAQYwHQYDVR0OBBYEFJxfAN+qAdcwKziIorhtSpzyEZGDMA0GCSqG +SIb3DQEBCwUAA4IBAQBLNqaEd2ndOxmfZyMIbw5hyf2E3F/YNoHN2BtBLZ9g3ccaaNnRbobhiCPP +E95Dz+I0swSdHynVv/heyNXBve6SbzJ08pGCL72CQnqtKrcgfU28elUSwhXqvfdqlS5sdJ/PHLTy +xQGjhdByPq1zqwubdQxtRbeOlKyWN7Wg0I8VRw7j6IPdj/3vQQF3zCepYoUz8jcI73HPdwbeyBkd +iEDPfUYd/x7H4c7/I9vG+o1VTqkC50cRRj70/b17KSa7qWFiNyi2LSr2EIZkyXCn0q23KXB56jza +YyWf/Wi3MOxw+3WKt21gZ7IeyLnp2KhvAotnDU0mV3HaIPzBSlCNsSi6 +-----END CERTIFICATE----- + +AffirmTrust Commercial +====================== +-----BEGIN CERTIFICATE----- +MIIDTDCCAjSgAwIBAgIId3cGJyapsXwwDQYJKoZIhvcNAQELBQAwRDELMAkGA1UEBhMCVVMxFDAS +BgNVBAoMC0FmZmlybVRydXN0MR8wHQYDVQQDDBZBZmZpcm1UcnVzdCBDb21tZXJjaWFsMB4XDTEw +MDEyOTE0MDYwNloXDTMwMTIzMTE0MDYwNlowRDELMAkGA1UEBhMCVVMxFDASBgNVBAoMC0FmZmly +bVRydXN0MR8wHQYDVQQDDBZBZmZpcm1UcnVzdCBDb21tZXJjaWFsMIIBIjANBgkqhkiG9w0BAQEF +AAOCAQ8AMIIBCgKCAQEA9htPZwcroRX1BiLLHwGy43NFBkRJLLtJJRTWzsO3qyxPxkEylFf6Eqdb +DuKPHx6GGaeqtS25Xw2Kwq+FNXkyLbscYjfysVtKPcrNcV/pQr6U6Mje+SJIZMblq8Yrba0F8PrV +C8+a5fBQpIs7R6UjW3p6+DM/uO+Zl+MgwdYoic+U+7lF7eNAFxHUdPALMeIrJmqbTFeurCA+ukV6 +BfO9m2kVrn1OIGPENXY6BwLJN/3HR+7o8XYdcxXyl6S1yHp52UKqK39c/s4mT6NmgTWvRLpUHhww +MmWd5jyTXlBOeuM61G7MGvv50jeuJCqrVwMiKA1JdX+3KNp1v47j3A55MQIDAQABo0IwQDAdBgNV +HQ4EFgQUnZPGU4teyq8/nx4P5ZmVvCT2lI8wDwYDVR0TAQH/BAUwAwEB/zAOBgNVHQ8BAf8EBAMC +AQYwDQYJKoZIhvcNAQELBQADggEBAFis9AQOzcAN/wr91LoWXym9e2iZWEnStB03TX8nfUYGXUPG +hi4+c7ImfU+TqbbEKpqrIZcUsd6M06uJFdhrJNTxFq7YpFzUf1GO7RgBsZNjvbz4YYCanrHOQnDi +qX0GJX0nof5v7LMeJNrjS1UaADs1tDvZ110w/YETifLCBivtZ8SOyUOyXGsViQK8YvxO8rUzqrJv +0wqiUOP2O+guRMLbZjipM1ZI8W0bM40NjD9gN53Tym1+NH4Nn3J2ixufcv1SNUFFApYvHLKac0kh +sUlHRUe072o0EclNmsxZt9YCnlpOZbWUrhvfKbAW8b8Angc6F2S1BLUjIZkKlTuXfO8= +-----END CERTIFICATE----- + +AffirmTrust Networking +====================== +-----BEGIN CERTIFICATE----- +MIIDTDCCAjSgAwIBAgIIfE8EORzUmS0wDQYJKoZIhvcNAQEFBQAwRDELMAkGA1UEBhMCVVMxFDAS +BgNVBAoMC0FmZmlybVRydXN0MR8wHQYDVQQDDBZBZmZpcm1UcnVzdCBOZXR3b3JraW5nMB4XDTEw +MDEyOTE0MDgyNFoXDTMwMTIzMTE0MDgyNFowRDELMAkGA1UEBhMCVVMxFDASBgNVBAoMC0FmZmly +bVRydXN0MR8wHQYDVQQDDBZBZmZpcm1UcnVzdCBOZXR3b3JraW5nMIIBIjANBgkqhkiG9w0BAQEF +AAOCAQ8AMIIBCgKCAQEAtITMMxcua5Rsa2FSoOujz3mUTOWUgJnLVWREZY9nZOIG41w3SfYvm4SE +Hi3yYJ0wTsyEheIszx6e/jarM3c1RNg1lho9Nuh6DtjVR6FqaYvZ/Ls6rnla1fTWcbuakCNrmreI +dIcMHl+5ni36q1Mr3Lt2PpNMCAiMHqIjHNRqrSK6mQEubWXLviRmVSRLQESxG9fhwoXA3hA/Pe24 +/PHxI1Pcv2WXb9n5QHGNfb2V1M6+oF4nI979ptAmDgAp6zxG8D1gvz9Q0twmQVGeFDdCBKNwV6gb +h+0t+nvujArjqWaJGctB+d1ENmHP4ndGyH329JKBNv3bNPFyfvMMFr20FQIDAQABo0IwQDAdBgNV +HQ4EFgQUBx/S55zawm6iQLSwelAQUHTEyL0wDwYDVR0TAQH/BAUwAwEB/zAOBgNVHQ8BAf8EBAMC +AQYwDQYJKoZIhvcNAQEFBQADggEBAIlXshZ6qML91tmbmzTCnLQyFE2npN/svqe++EPbkTfOtDIu +UFUaNU52Q3Eg75N3ThVwLofDwR1t3Mu1J9QsVtFSUzpE0nPIxBsFZVpikpzuQY0x2+c06lkh1QF6 +12S4ZDnNye2v7UsDSKegmQGA3GWjNq5lWUhPgkvIZfFXHeVZLgo/bNjR9eUJtGxUAArgFU2HdW23 +WJZa3W3SAKD0m0i+wzekujbgfIeFlxoVot4uolu9rxj5kFDNcFn4J2dHy8egBzp90SxdbBk6ZrV9 +/ZFvgrG+CJPbFEfxojfHRZ48x3evZKiT3/Zpg4Jg8klCNO1aAFSFHBY2kgxc+qatv9s= +-----END CERTIFICATE----- + +AffirmTrust Premium +=================== +-----BEGIN CERTIFICATE----- +MIIFRjCCAy6gAwIBAgIIbYwURrGmCu4wDQYJKoZIhvcNAQEMBQAwQTELMAkGA1UEBhMCVVMxFDAS +BgNVBAoMC0FmZmlybVRydXN0MRwwGgYDVQQDDBNBZmZpcm1UcnVzdCBQcmVtaXVtMB4XDTEwMDEy +OTE0MTAzNloXDTQwMTIzMTE0MTAzNlowQTELMAkGA1UEBhMCVVMxFDASBgNVBAoMC0FmZmlybVRy +dXN0MRwwGgYDVQQDDBNBZmZpcm1UcnVzdCBQcmVtaXVtMIICIjANBgkqhkiG9w0BAQEFAAOCAg8A +MIICCgKCAgEAxBLfqV/+Qd3d9Z+K4/as4Tx4mrzY8H96oDMq3I0gW64tb+eT2TZwamjPjlGjhVtn +BKAQJG9dKILBl1fYSCkTtuG+kU3fhQxTGJoeJKJPj/CihQvL9Cl/0qRY7iZNyaqoe5rZ+jjeRFcV +5fiMyNlI4g0WJx0eyIOFJbe6qlVBzAMiSy2RjYvmia9mx+n/K+k8rNrSs8PhaJyJ+HoAVt70VZVs ++7pk3WKL3wt3MutizCaam7uqYoNMtAZ6MMgpv+0GTZe5HMQxK9VfvFMSF5yZVylmd2EhMQcuJUmd +GPLu8ytxjLW6OQdJd/zvLpKQBY0tL3d770O/Nbua2Plzpyzy0FfuKE4mX4+QaAkvuPjcBukumj5R +p9EixAqnOEhss/n/fauGV+O61oV4d7pD6kh/9ti+I20ev9E2bFhc8e6kGVQa9QPSdubhjL08s9NI +S+LI+H+SqHZGnEJlPqQewQcDWkYtuJfzt9WyVSHvutxMAJf7FJUnM7/oQ0dG0giZFmA7mn7S5u04 +6uwBHjxIVkkJx0w3AJ6IDsBz4W9m6XJHMD4Q5QsDyZpCAGzFlH5hxIrff4IaC1nEWTJ3s7xgaVY5 +/bQGeyzWZDbZvUjthB9+pSKPKrhC9IK31FOQeE4tGv2Bb0TXOwF0lkLgAOIua+rF7nKsu7/+6qqo ++Nz2snmKtmcCAwEAAaNCMEAwHQYDVR0OBBYEFJ3AZ6YMItkm9UWrpmVSESfYRaxjMA8GA1UdEwEB +/wQFMAMBAf8wDgYDVR0PAQH/BAQDAgEGMA0GCSqGSIb3DQEBDAUAA4ICAQCzV00QYk465KzquByv +MiPIs0laUZx2KI15qldGF9X1Uva3ROgIRL8YhNILgM3FEv0AVQVhh0HctSSePMTYyPtwni94loMg +Nt58D2kTiKV1NpgIpsbfrM7jWNa3Pt668+s0QNiigfV4Py/VpfzZotReBA4Xrf5B8OWycvpEgjNC +6C1Y91aMYj+6QrCcDFx+LmUmXFNPALJ4fqENmS2NuB2OosSw/WDQMKSOyARiqcTtNd56l+0OOF6S +L5Nwpamcb6d9Ex1+xghIsV5n61EIJenmJWtSKZGc0jlzCFfemQa0W50QBuHCAKi4HEoCChTQwUHK ++4w1IX2COPKpVJEZNZOUbWo6xbLQu4mGk+ibyQ86p3q4ofB4Rvr8Ny/lioTz3/4E2aFooC8k4gmV +BtWVyuEklut89pMFu+1z6S3RdTnX5yTb2E5fQ4+e0BQ5v1VwSJlXMbSc7kqYA5YwH2AG7hsj/oFg +IxpHYoWlzBk0gG+zrBrjn/B7SK3VAdlntqlyk+otZrWyuOQ9PLLvTIzq6we/qzWaVYa8GKa1qF60 +g2xraUDTn9zxw2lrueFtCfTxqlB2Cnp9ehehVZZCmTEJ3WARjQUwfuaORtGdFNrHF+QFlozEJLUb +zxQHskD4o55BhrwE0GuWyCqANP2/7waj3VjFhT0+j/6eKeC2uAloGRwYQw== +-----END CERTIFICATE----- + +AffirmTrust Premium ECC +======================= +-----BEGIN CERTIFICATE----- +MIIB/jCCAYWgAwIBAgIIdJclisc/elQwCgYIKoZIzj0EAwMwRTELMAkGA1UEBhMCVVMxFDASBgNV +BAoMC0FmZmlybVRydXN0MSAwHgYDVQQDDBdBZmZpcm1UcnVzdCBQcmVtaXVtIEVDQzAeFw0xMDAx +MjkxNDIwMjRaFw00MDEyMzExNDIwMjRaMEUxCzAJBgNVBAYTAlVTMRQwEgYDVQQKDAtBZmZpcm1U +cnVzdDEgMB4GA1UEAwwXQWZmaXJtVHJ1c3QgUHJlbWl1bSBFQ0MwdjAQBgcqhkjOPQIBBgUrgQQA +IgNiAAQNMF4bFZ0D0KF5Nbc6PJJ6yhUczWLznCZcBz3lVPqj1swS6vQUX+iOGasvLkjmrBhDeKzQ +N8O9ss0s5kfiGuZjuD0uL3jET9v0D6RoTFVya5UdThhClXjMNzyR4ptlKymjQjBAMB0GA1UdDgQW +BBSaryl6wBE1NSZRMADDav5A1a7WPDAPBgNVHRMBAf8EBTADAQH/MA4GA1UdDwEB/wQEAwIBBjAK +BggqhkjOPQQDAwNnADBkAjAXCfOHiFBar8jAQr9HX/VsaobgxCd05DhT1wV/GzTjxi+zygk8N53X +57hG8f2h4nECMEJZh0PUUd+60wkyWs6Iflc9nF9Ca/UHLbXwgpP5WW+uZPpY5Yse42O+tYHNbwKM +eQ== +-----END CERTIFICATE----- + +Certum Trusted Network CA +========================= +-----BEGIN CERTIFICATE----- +MIIDuzCCAqOgAwIBAgIDBETAMA0GCSqGSIb3DQEBBQUAMH4xCzAJBgNVBAYTAlBMMSIwIAYDVQQK +ExlVbml6ZXRvIFRlY2hub2xvZ2llcyBTLkEuMScwJQYDVQQLEx5DZXJ0dW0gQ2VydGlmaWNhdGlv +biBBdXRob3JpdHkxIjAgBgNVBAMTGUNlcnR1bSBUcnVzdGVkIE5ldHdvcmsgQ0EwHhcNMDgxMDIy +MTIwNzM3WhcNMjkxMjMxMTIwNzM3WjB+MQswCQYDVQQGEwJQTDEiMCAGA1UEChMZVW5pemV0byBU +ZWNobm9sb2dpZXMgUy5BLjEnMCUGA1UECxMeQ2VydHVtIENlcnRpZmljYXRpb24gQXV0aG9yaXR5 +MSIwIAYDVQQDExlDZXJ0dW0gVHJ1c3RlZCBOZXR3b3JrIENBMIIBIjANBgkqhkiG9w0BAQEFAAOC +AQ8AMIIBCgKCAQEA4/t9o3K6wvDJFIf1awFO4W5AB7ptJ11/91sts1rHUV+rpDKmYYe2bg+G0jAC +l/jXaVehGDldamR5xgFZrDwxSjh80gTSSyjoIF87B6LMTXPb865Px1bVWqeWifrzq2jUI4ZZJ88J +J7ysbnKDHDBy3+Ci6dLhdHUZvSqeexVUBBvXQzmtVSjF4hq79MDkrjhJM8x2hZ85RdKknvISjFH4 +fOQtf/WsX+sWn7Et0brMkUJ3TCXJkDhv2/DM+44el1k+1WBO5gUo7Ul5E0u6SNsv+XLTOcr+H9g0 +cvW0QM8xAcPs3hEtF10fuFDRXhmnad4HMyjKUJX5p1TLVIZQRan5SQIDAQABo0IwQDAPBgNVHRMB +Af8EBTADAQH/MB0GA1UdDgQWBBQIds3LB/8k9sXN7buQvOKEN0Z19zAOBgNVHQ8BAf8EBAMCAQYw +DQYJKoZIhvcNAQEFBQADggEBAKaorSLOAT2mo/9i0Eidi15ysHhE49wcrwn9I0j6vSrEuVUEtRCj +jSfeC4Jj0O7eDDd5QVsisrCaQVymcODU0HfLI9MA4GxWL+FpDQ3Zqr8hgVDZBqWo/5U30Kr+4rP1 +mS1FhIrlQgnXdAIv94nYmem8J9RHjboNRhx3zxSkHLmkMcScKHQDNP8zGSal6Q10tz6XxnboJ5aj +Zt3hrvJBW8qYVoNzcOSGGtIxQbovvi0TWnZvTuhOgQ4/WwMioBK+ZlgRSssDxLQqKi2WF+A5VLxI +03YnnZotBqbJ7DnSq9ufmgsnAjUpsUCV5/nonFWIGUbWtzT1fs45mtk48VH3Tyw= +-----END CERTIFICATE----- + +Certinomis - Autorité Racine +============================= +-----BEGIN CERTIFICATE----- +MIIFnDCCA4SgAwIBAgIBATANBgkqhkiG9w0BAQUFADBjMQswCQYDVQQGEwJGUjETMBEGA1UEChMK +Q2VydGlub21pczEXMBUGA1UECxMOMDAwMiA0MzM5OTg5MDMxJjAkBgNVBAMMHUNlcnRpbm9taXMg +LSBBdXRvcml0w6kgUmFjaW5lMB4XDTA4MDkxNzA4Mjg1OVoXDTI4MDkxNzA4Mjg1OVowYzELMAkG +A1UEBhMCRlIxEzARBgNVBAoTCkNlcnRpbm9taXMxFzAVBgNVBAsTDjAwMDIgNDMzOTk4OTAzMSYw +JAYDVQQDDB1DZXJ0aW5vbWlzIC0gQXV0b3JpdMOpIFJhY2luZTCCAiIwDQYJKoZIhvcNAQEBBQAD +ggIPADCCAgoCggIBAJ2Fn4bT46/HsmtuM+Cet0I0VZ35gb5j2CN2DpdUzZlMGvE5x4jYF1AMnmHa +wE5V3udauHpOd4cN5bjr+p5eex7Ezyh0x5P1FMYiKAT5kcOrJ3NqDi5N8y4oH3DfVS9O7cdxbwly +Lu3VMpfQ8Vh30WC8Tl7bmoT2R2FFK/ZQpn9qcSdIhDWerP5pqZ56XjUl+rSnSTV3lqc2W+HN3yNw +2F1MpQiD8aYkOBOo7C+ooWfHpi2GR+6K/OybDnT0K0kCe5B1jPyZOQE51kqJ5Z52qz6WKDgmi92N +jMD2AR5vpTESOH2VwnHu7XSu5DaiQ3XV8QCb4uTXzEIDS3h65X27uK4uIJPT5GHfceF2Z5c/tt9q +c1pkIuVC28+BA5PY9OMQ4HL2AHCs8MF6DwV/zzRpRbWT5BnbUhYjBYkOjUjkJW+zeL9i9Qf6lSTC +lrLooyPCXQP8w9PlfMl1I9f09bze5N/NgL+RiH2nE7Q5uiy6vdFrzPOlKO1Enn1So2+WLhl+HPNb +xxaOu2B9d2ZHVIIAEWBsMsGoOBvrbpgT1u449fCfDu/+MYHB0iSVL1N6aaLwD4ZFjliCK0wi1F6g +530mJ0jfJUaNSih8hp75mxpZuWW/Bd22Ql095gBIgl4g9xGC3srYn+Y3RyYe63j3YcNBZFgCQfna +4NH4+ej9Uji29YnfAgMBAAGjWzBZMA8GA1UdEwEB/wQFMAMBAf8wDgYDVR0PAQH/BAQDAgEGMB0G +A1UdDgQWBBQNjLZh2kS40RR9w759XkjwzspqsDAXBgNVHSAEEDAOMAwGCiqBegFWAgIAAQEwDQYJ +KoZIhvcNAQEFBQADggIBACQ+YAZ+He86PtvqrxyaLAEL9MW12Ukx9F1BjYkMTv9sov3/4gbIOZ/x +WqndIlgVqIrTseYyCYIDbNc/CMf4uboAbbnW/FIyXaR/pDGUu7ZMOH8oMDX/nyNTt7buFHAAQCva +R6s0fl6nVjBhK4tDrP22iCj1a7Y+YEq6QpA0Z43q619FVDsXrIvkxmUP7tCMXWY5zjKn2BCXwH40 +nJ+U8/aGH88bc62UeYdocMMzpXDn2NU4lG9jeeu/Cg4I58UvD0KgKxRA/yHgBcUn4YQRE7rWhh1B +CxMjidPJC+iKunqjo3M3NYB9Ergzd0A4wPpeMNLytqOx1qKVl4GbUu1pTP+A5FPbVFsDbVRfsbjv +JL1vnxHDx2TCDyhihWZeGnuyt++uNckZM6i4J9szVb9o4XVIRFb7zdNIu0eJOqxp9YDG5ERQL1TE +qkPFMTFYvZbF6nVsmnWxTfj3l/+WFvKXTej28xH5On2KOG4Ey+HTRRWqpdEdnV1j6CTmNhTih60b +WfVEm/vXd3wfAXBioSAaosUaKPQhA+4u2cGA6rnZgtZbdsLLO7XSAPCjDuGtbkD326C00EauFddE +wk01+dIL8hf2rGbVJLJP0RyZwG71fet0BLj5TXcJ17TPBzAJ8bgAVtkXFhYKK4bfjwEZGuW7gmP/ +vgt2Fl43N+bYdJeimUV5 +-----END CERTIFICATE----- + +Root CA Generalitat Valenciana +============================== +-----BEGIN CERTIFICATE----- +MIIGizCCBXOgAwIBAgIEO0XlaDANBgkqhkiG9w0BAQUFADBoMQswCQYDVQQGEwJFUzEfMB0GA1UE +ChMWR2VuZXJhbGl0YXQgVmFsZW5jaWFuYTEPMA0GA1UECxMGUEtJR1ZBMScwJQYDVQQDEx5Sb290 +IENBIEdlbmVyYWxpdGF0IFZhbGVuY2lhbmEwHhcNMDEwNzA2MTYyMjQ3WhcNMjEwNzAxMTUyMjQ3 +WjBoMQswCQYDVQQGEwJFUzEfMB0GA1UEChMWR2VuZXJhbGl0YXQgVmFsZW5jaWFuYTEPMA0GA1UE +CxMGUEtJR1ZBMScwJQYDVQQDEx5Sb290IENBIEdlbmVyYWxpdGF0IFZhbGVuY2lhbmEwggEiMA0G +CSqGSIb3DQEBAQUAA4IBDwAwggEKAoIBAQDGKqtXETcvIorKA3Qdyu0togu8M1JAJke+WmmmO3I2 +F0zo37i7L3bhQEZ0ZQKQUgi0/6iMweDHiVYQOTPvaLRfX9ptI6GJXiKjSgbwJ/BXufjpTjJ3Cj9B +ZPPrZe52/lSqfR0grvPXdMIKX/UIKFIIzFVd0g/bmoGlu6GzwZTNVOAydTGRGmKy3nXiz0+J2ZGQ +D0EbtFpKd71ng+CT516nDOeB0/RSrFOyA8dEJvt55cs0YFAQexvba9dHq198aMpunUEDEO5rmXte +JajCq+TA81yc477OMUxkHl6AovWDfgzWyoxVjr7gvkkHD6MkQXpYHYTqWBLI4bft75PelAgxAgMB +AAGjggM7MIIDNzAyBggrBgEFBQcBAQQmMCQwIgYIKwYBBQUHMAGGFmh0dHA6Ly9vY3NwLnBraS5n +dmEuZXMwEgYDVR0TAQH/BAgwBgEB/wIBAjCCAjQGA1UdIASCAiswggInMIICIwYKKwYBBAG/VQIB +ADCCAhMwggHoBggrBgEFBQcCAjCCAdoeggHWAEEAdQB0AG8AcgBpAGQAYQBkACAAZABlACAAQwBl +AHIAdABpAGYAaQBjAGEAYwBpAPMAbgAgAFIAYQDtAHoAIABkAGUAIABsAGEAIABHAGUAbgBlAHIA +YQBsAGkAdABhAHQAIABWAGEAbABlAG4AYwBpAGEAbgBhAC4ADQAKAEwAYQAgAEQAZQBjAGwAYQBy +AGEAYwBpAPMAbgAgAGQAZQAgAFAAcgDhAGMAdABpAGMAYQBzACAAZABlACAAQwBlAHIAdABpAGYA +aQBjAGEAYwBpAPMAbgAgAHEAdQBlACAAcgBpAGcAZQAgAGUAbAAgAGYAdQBuAGMAaQBvAG4AYQBt +AGkAZQBuAHQAbwAgAGQAZQAgAGwAYQAgAHAAcgBlAHMAZQBuAHQAZQAgAEEAdQB0AG8AcgBpAGQA +YQBkACAAZABlACAAQwBlAHIAdABpAGYAaQBjAGEAYwBpAPMAbgAgAHMAZQAgAGUAbgBjAHUAZQBu +AHQAcgBhACAAZQBuACAAbABhACAAZABpAHIAZQBjAGMAaQDzAG4AIAB3AGUAYgAgAGgAdAB0AHAA +OgAvAC8AdwB3AHcALgBwAGsAaQAuAGcAdgBhAC4AZQBzAC8AYwBwAHMwJQYIKwYBBQUHAgEWGWh0 +dHA6Ly93d3cucGtpLmd2YS5lcy9jcHMwHQYDVR0OBBYEFHs100DSHHgZZu90ECjcPk+yeAT8MIGV +BgNVHSMEgY0wgYqAFHs100DSHHgZZu90ECjcPk+yeAT8oWykajBoMQswCQYDVQQGEwJFUzEfMB0G +A1UEChMWR2VuZXJhbGl0YXQgVmFsZW5jaWFuYTEPMA0GA1UECxMGUEtJR1ZBMScwJQYDVQQDEx5S +b290IENBIEdlbmVyYWxpdGF0IFZhbGVuY2lhbmGCBDtF5WgwDQYJKoZIhvcNAQEFBQADggEBACRh +TvW1yEICKrNcda3FbcrnlD+laJWIwVTAEGmiEi8YPyVQqHxK6sYJ2fR1xkDar1CdPaUWu20xxsdz +Ckj+IHLtb8zog2EWRpABlUt9jppSCS/2bxzkoXHPjCpaF3ODR00PNvsETUlR4hTJZGH71BTg9J63 +NI8KJr2XXPR5OkowGcytT6CYirQxlyric21+eLj4iIlPsSKRZEv1UN4D2+XFducTZnV+ZfsBn5OH +iJ35Rld8TWCvmHMTI6QgkYH60GFmuH3Rr9ZvHmw96RH9qfmCIoaZM3Fa6hlXPZHNqcCjbgcTpsnt ++GijnsNacgmHKNHEc8RzGF9QdRYxn7fofMM= +-----END CERTIFICATE----- + +A-Trust-nQual-03 +================ +-----BEGIN CERTIFICATE----- +MIIDzzCCAregAwIBAgIDAWweMA0GCSqGSIb3DQEBBQUAMIGNMQswCQYDVQQGEwJBVDFIMEYGA1UE +Cgw/QS1UcnVzdCBHZXMuIGYuIFNpY2hlcmhlaXRzc3lzdGVtZSBpbSBlbGVrdHIuIERhdGVudmVy +a2VociBHbWJIMRkwFwYDVQQLDBBBLVRydXN0LW5RdWFsLTAzMRkwFwYDVQQDDBBBLVRydXN0LW5R +dWFsLTAzMB4XDTA1MDgxNzIyMDAwMFoXDTE1MDgxNzIyMDAwMFowgY0xCzAJBgNVBAYTAkFUMUgw +RgYDVQQKDD9BLVRydXN0IEdlcy4gZi4gU2ljaGVyaGVpdHNzeXN0ZW1lIGltIGVsZWt0ci4gRGF0 +ZW52ZXJrZWhyIEdtYkgxGTAXBgNVBAsMEEEtVHJ1c3QtblF1YWwtMDMxGTAXBgNVBAMMEEEtVHJ1 +c3QtblF1YWwtMDMwggEiMA0GCSqGSIb3DQEBAQUAA4IBDwAwggEKAoIBAQCtPWFuA/OQO8BBC4SA +zewqo51ru27CQoT3URThoKgtUaNR8t4j8DRE/5TrzAUjlUC5B3ilJfYKvUWG6Nm9wASOhURh73+n +yfrBJcyFLGM/BWBzSQXgYHiVEEvc+RFZznF/QJuKqiTfC0Li21a8StKlDJu3Qz7dg9MmEALP6iPE +SU7l0+m0iKsMrmKS1GWH2WrX9IWf5DMiJaXlyDO6w8dB3F/GaswADm0yqLaHNgBid5seHzTLkDx4 +iHQF63n1k3Flyp3HaxgtPVxO59X4PzF9j4fsCiIvI+n+u33J4PTs63zEsMMtYrWacdaxaujs2e3V +cuy+VwHOBVWf3tFgiBCzAgMBAAGjNjA0MA8GA1UdEwEB/wQFMAMBAf8wEQYDVR0OBAoECERqlWdV +eRFPMA4GA1UdDwEB/wQEAwIBBjANBgkqhkiG9w0BAQUFAAOCAQEAVdRU0VlIXLOThaq/Yy/kgM40 +ozRiPvbY7meIMQQDbwvUB/tOdQ/TLtPAF8fGKOwGDREkDg6lXb+MshOWcdzUzg4NCmgybLlBMRmr +sQd7TZjTXLDR8KdCoLXEjq/+8T/0709GAHbrAvv5ndJAlseIOrifEXnzgGWovR/TeIGgUUw3tKZd +JXDRZslo+S4RFGjxVJgIrCaSD96JntT6s3kr0qN51OyLrIdTaEJMUVF0HhsnLuP1Hyl0Te2v9+GS +mYHovjrHF1D2t8b8m7CKa9aIA5GPBnc6hQLdmNVDeD/GMBWsm2vLV7eJUYs66MmEDNuxUCAKGkq6 +ahq97BvIxYSazQ== +-----END CERTIFICATE----- + +TWCA Root Certification Authority +================================= +-----BEGIN CERTIFICATE----- +MIIDezCCAmOgAwIBAgIBATANBgkqhkiG9w0BAQUFADBfMQswCQYDVQQGEwJUVzESMBAGA1UECgwJ +VEFJV0FOLUNBMRAwDgYDVQQLDAdSb290IENBMSowKAYDVQQDDCFUV0NBIFJvb3QgQ2VydGlmaWNh +dGlvbiBBdXRob3JpdHkwHhcNMDgwODI4MDcyNDMzWhcNMzAxMjMxMTU1OTU5WjBfMQswCQYDVQQG +EwJUVzESMBAGA1UECgwJVEFJV0FOLUNBMRAwDgYDVQQLDAdSb290IENBMSowKAYDVQQDDCFUV0NB +IFJvb3QgQ2VydGlmaWNhdGlvbiBBdXRob3JpdHkwggEiMA0GCSqGSIb3DQEBAQUAA4IBDwAwggEK +AoIBAQCwfnK4pAOU5qfeCTiRShFAh6d8WWQUe7UREN3+v9XAu1bihSX0NXIP+FPQQeFEAcK0HMMx +QhZHhTMidrIKbw/lJVBPhYa+v5guEGcevhEFhgWQxFnQfHgQsIBct+HHK3XLfJ+utdGdIzdjp9xC +oi2SBBtQwXu4PhvJVgSLL1KbralW6cH/ralYhzC2gfeXRfwZVzsrb+RH9JlF/h3x+JejiB03HFyP +4HYlmlD4oFT/RJB2I9IyxsOrBr/8+7/zrX2SYgJbKdM1o5OaQ2RgXbL6Mv87BK9NQGr5x+PvI/1r +y+UPizgN7gr8/g+YnzAx3WxSZfmLgb4i4RxYA7qRG4kHAgMBAAGjQjBAMA4GA1UdDwEB/wQEAwIB +BjAPBgNVHRMBAf8EBTADAQH/MB0GA1UdDgQWBBRqOFsmjd6LWvJPelSDGRjjCDWmujANBgkqhkiG +9w0BAQUFAAOCAQEAPNV3PdrfibqHDAhUaiBQkr6wQT25JmSDCi/oQMCXKCeCMErJk/9q56YAf4lC +mtYR5VPOL8zy2gXE/uJQxDqGfczafhAJO5I1KlOy/usrBdlsXebQ79NqZp4VKIV66IIArB6nCWlW +QtNoURi+VJq/REG6Sb4gumlc7rh3zc5sH62Dlhh9DrUUOYTxKOkto557HnpyWoOzeW/vtPzQCqVY +T0bf+215WfKEIlKuD8z7fDvnaspHYcN6+NOSBB+4IIThNlQWx0DeO4pz3N/GCUzf7Nr/1FNCocny +Yh0igzyXxfkZYiesZSLX0zzG5Y6yU8xJzrww/nsOM5D77dIUkR8Hrw== +-----END CERTIFICATE----- + +Security Communication RootCA2 +============================== +-----BEGIN CERTIFICATE----- +MIIDdzCCAl+gAwIBAgIBADANBgkqhkiG9w0BAQsFADBdMQswCQYDVQQGEwJKUDElMCMGA1UEChMc +U0VDT00gVHJ1c3QgU3lzdGVtcyBDTy4sTFRELjEnMCUGA1UECxMeU2VjdXJpdHkgQ29tbXVuaWNh +dGlvbiBSb290Q0EyMB4XDTA5MDUyOTA1MDAzOVoXDTI5MDUyOTA1MDAzOVowXTELMAkGA1UEBhMC +SlAxJTAjBgNVBAoTHFNFQ09NIFRydXN0IFN5c3RlbXMgQ08uLExURC4xJzAlBgNVBAsTHlNlY3Vy +aXR5IENvbW11bmljYXRpb24gUm9vdENBMjCCASIwDQYJKoZIhvcNAQEBBQADggEPADCCAQoCggEB +ANAVOVKxUrO6xVmCxF1SrjpDZYBLx/KWvNs2l9amZIyoXvDjChz335c9S672XewhtUGrzbl+dp++ ++T42NKA7wfYxEUV0kz1XgMX5iZnK5atq1LXaQZAQwdbWQonCv/Q4EpVMVAX3NuRFg3sUZdbcDE3R +3n4MqzvEFb46VqZab3ZpUql6ucjrappdUtAtCms1FgkQhNBqyjoGADdH5H5XTz+L62e4iKrFvlNV +spHEfbmwhRkGeC7bYRr6hfVKkaHnFtWOojnflLhwHyg/i/xAXmODPIMqGplrz95Zajv8bxbXH/1K +EOtOghY6rCcMU/Gt1SSwawNQwS08Ft1ENCcadfsCAwEAAaNCMEAwHQYDVR0OBBYEFAqFqXdlBZh8 +QIH4D5csOPEK7DzPMA4GA1UdDwEB/wQEAwIBBjAPBgNVHRMBAf8EBTADAQH/MA0GCSqGSIb3DQEB +CwUAA4IBAQBMOqNErLlFsceTfsgLCkLfZOoc7llsCLqJX2rKSpWeeo8HxdpFcoJxDjrSzG+ntKEj +u/Ykn8sX/oymzsLS28yN/HH8AynBbF0zX2S2ZTuJbxh2ePXcokgfGT+Ok+vx+hfuzU7jBBJV1uXk +3fs+BXziHV7Gp7yXT2g69ekuCkO2r1dcYmh8t/2jioSgrGK+KwmHNPBqAbubKVY8/gA3zyNs8U6q +tnRGEmyR7jTV7JqR50S+kDFy1UkC9gLl9B/rfNmWVan/7Ir5mUf/NVoCqgTLiluHcSmRvaS0eg29 +mvVXIwAHIRc/SjnRBUkLp7Y3gaVdjKozXoEofKd9J+sAro03 +-----END CERTIFICATE----- + +EC-ACC +====== +-----BEGIN CERTIFICATE----- +MIIFVjCCBD6gAwIBAgIQ7is969Qh3hSoYqwE893EATANBgkqhkiG9w0BAQUFADCB8zELMAkGA1UE +BhMCRVMxOzA5BgNVBAoTMkFnZW5jaWEgQ2F0YWxhbmEgZGUgQ2VydGlmaWNhY2lvIChOSUYgUS0w +ODAxMTc2LUkpMSgwJgYDVQQLEx9TZXJ2ZWlzIFB1YmxpY3MgZGUgQ2VydGlmaWNhY2lvMTUwMwYD +VQQLEyxWZWdldSBodHRwczovL3d3dy5jYXRjZXJ0Lm5ldC92ZXJhcnJlbCAoYykwMzE1MDMGA1UE +CxMsSmVyYXJxdWlhIEVudGl0YXRzIGRlIENlcnRpZmljYWNpbyBDYXRhbGFuZXMxDzANBgNVBAMT +BkVDLUFDQzAeFw0wMzAxMDcyMzAwMDBaFw0zMTAxMDcyMjU5NTlaMIHzMQswCQYDVQQGEwJFUzE7 +MDkGA1UEChMyQWdlbmNpYSBDYXRhbGFuYSBkZSBDZXJ0aWZpY2FjaW8gKE5JRiBRLTA4MDExNzYt +SSkxKDAmBgNVBAsTH1NlcnZlaXMgUHVibGljcyBkZSBDZXJ0aWZpY2FjaW8xNTAzBgNVBAsTLFZl +Z2V1IGh0dHBzOi8vd3d3LmNhdGNlcnQubmV0L3ZlcmFycmVsIChjKTAzMTUwMwYDVQQLEyxKZXJh +cnF1aWEgRW50aXRhdHMgZGUgQ2VydGlmaWNhY2lvIENhdGFsYW5lczEPMA0GA1UEAxMGRUMtQUND +MIIBIjANBgkqhkiG9w0BAQEFAAOCAQ8AMIIBCgKCAQEAsyLHT+KXQpWIR4NA9h0X84NzJB5R85iK +w5K4/0CQBXCHYMkAqbWUZRkiFRfCQ2xmRJoNBD45b6VLeqpjt4pEndljkYRm4CgPukLjbo73FCeT +ae6RDqNfDrHrZqJyTxIThmV6PttPB/SnCWDaOkKZx7J/sxaVHMf5NLWUhdWZXqBIoH7nF2W4onW4 +HvPlQn2v7fOKSGRdghST2MDk/7NQcvJ29rNdQlB50JQ+awwAvthrDk4q7D7SzIKiGGUzE3eeml0a +E9jD2z3Il3rucO2n5nzbcc8tlGLfbdb1OL4/pYUKGbio2Al1QnDE6u/LDsg0qBIimAy4E5S2S+zw +0JDnJwIDAQABo4HjMIHgMB0GA1UdEQQWMBSBEmVjX2FjY0BjYXRjZXJ0Lm5ldDAPBgNVHRMBAf8E +BTADAQH/MA4GA1UdDwEB/wQEAwIBBjAdBgNVHQ4EFgQUoMOLRKo3pUW/l4Ba0fF4opvpXY0wfwYD +VR0gBHgwdjB0BgsrBgEEAfV4AQMBCjBlMCwGCCsGAQUFBwIBFiBodHRwczovL3d3dy5jYXRjZXJ0 +Lm5ldC92ZXJhcnJlbDA1BggrBgEFBQcCAjApGidWZWdldSBodHRwczovL3d3dy5jYXRjZXJ0Lm5l +dC92ZXJhcnJlbCAwDQYJKoZIhvcNAQEFBQADggEBAKBIW4IB9k1IuDlVNZyAelOZ1Vr/sXE7zDkJ +lF7W2u++AVtd0x7Y/X1PzaBB4DSTv8vihpw3kpBWHNzrKQXlxJ7HNd+KDM3FIUPpqojlNcAZQmNa +Al6kSBg6hW/cnbw/nZzBh7h6YQjpdwt/cKt63dmXLGQehb+8dJahw3oS7AwaboMMPOhyRp/7SNVe +l+axofjk70YllJyJ22k4vuxcDlbHZVHlUIiIv0LVKz3l+bqeLrPK9HOSAgu+TGbrIP65y7WZf+a2 +E/rKS03Z7lNGBjvGTq2TWoF+bCpLagVFjPIhpDGQh2xlnJ2lYJU6Un/10asIbvPuW/mIPX64b24D +5EI= +-----END CERTIFICATE----- + +Hellenic Academic and Research Institutions RootCA 2011 +======================================================= +-----BEGIN CERTIFICATE----- +MIIEMTCCAxmgAwIBAgIBADANBgkqhkiG9w0BAQUFADCBlTELMAkGA1UEBhMCR1IxRDBCBgNVBAoT +O0hlbGxlbmljIEFjYWRlbWljIGFuZCBSZXNlYXJjaCBJbnN0aXR1dGlvbnMgQ2VydC4gQXV0aG9y +aXR5MUAwPgYDVQQDEzdIZWxsZW5pYyBBY2FkZW1pYyBhbmQgUmVzZWFyY2ggSW5zdGl0dXRpb25z +IFJvb3RDQSAyMDExMB4XDTExMTIwNjEzNDk1MloXDTMxMTIwMTEzNDk1MlowgZUxCzAJBgNVBAYT +AkdSMUQwQgYDVQQKEztIZWxsZW5pYyBBY2FkZW1pYyBhbmQgUmVzZWFyY2ggSW5zdGl0dXRpb25z +IENlcnQuIEF1dGhvcml0eTFAMD4GA1UEAxM3SGVsbGVuaWMgQWNhZGVtaWMgYW5kIFJlc2VhcmNo +IEluc3RpdHV0aW9ucyBSb290Q0EgMjAxMTCCASIwDQYJKoZIhvcNAQEBBQADggEPADCCAQoCggEB +AKlTAOMupvaO+mDYLZU++CwqVE7NuYRhlFhPjz2L5EPzdYmNUeTDN9KKiE15HrcS3UN4SoqS5tdI +1Q+kOilENbgH9mgdVc04UfCMJDGFr4PJfel3r+0ae50X+bOdOFAPplp5kYCvN66m0zH7tSYJnTxa +71HFK9+WXesyHgLacEnsbgzImjeN9/E2YEsmLIKe0HjzDQ9jpFEw4fkrJxIH2Oq9GGKYsFk3fb7u +8yBRQlqD75O6aRXxYp2fmTmCobd0LovUxQt7L/DICto9eQqakxylKHJzkUOap9FNhYS5qXSPFEDH +3N6sQWRstBmbAmNtJGSPRLIl6s5ddAxjMlyNh+UCAwEAAaOBiTCBhjAPBgNVHRMBAf8EBTADAQH/ +MAsGA1UdDwQEAwIBBjAdBgNVHQ4EFgQUppFC/RNhSiOeCKQp5dgTBCPuQSUwRwYDVR0eBEAwPqA8 +MAWCAy5ncjAFggMuZXUwBoIELmVkdTAGggQub3JnMAWBAy5ncjAFgQMuZXUwBoEELmVkdTAGgQQu +b3JnMA0GCSqGSIb3DQEBBQUAA4IBAQAf73lB4XtuP7KMhjdCSk4cNx6NZrokgclPEg8hwAOXhiVt +XdMiKahsog2p6z0GW5k6x8zDmjR/qw7IThzh+uTczQ2+vyT+bOdrwg3IBp5OjWEopmr95fZi6hg8 +TqBTnbI6nOulnJEWtk2C4AwFSKls9cz4y51JtPACpf1wA+2KIaWuE4ZJwzNzvoc7dIsXRSZMFpGD +/md9zU1jZ/rzAxKWeAaNsWftjj++n08C9bMJL/NMh98qy5V8AcysNnq/onN694/BtZqhFLKPM58N +7yLcZnuEvUUXBj08yrl3NI/K6s8/MT7jiOOASSXIl7WdmplNsDz4SgCbZN2fOUvRJ9e4 +-----END CERTIFICATE----- + +Actalis Authentication Root CA +============================== +-----BEGIN CERTIFICATE----- +MIIFuzCCA6OgAwIBAgIIVwoRl0LE48wwDQYJKoZIhvcNAQELBQAwazELMAkGA1UEBhMCSVQxDjAM +BgNVBAcMBU1pbGFuMSMwIQYDVQQKDBpBY3RhbGlzIFMucC5BLi8wMzM1ODUyMDk2NzEnMCUGA1UE +AwweQWN0YWxpcyBBdXRoZW50aWNhdGlvbiBSb290IENBMB4XDTExMDkyMjExMjIwMloXDTMwMDky +MjExMjIwMlowazELMAkGA1UEBhMCSVQxDjAMBgNVBAcMBU1pbGFuMSMwIQYDVQQKDBpBY3RhbGlz +IFMucC5BLi8wMzM1ODUyMDk2NzEnMCUGA1UEAwweQWN0YWxpcyBBdXRoZW50aWNhdGlvbiBSb290 +IENBMIICIjANBgkqhkiG9w0BAQEFAAOCAg8AMIICCgKCAgEAp8bEpSmkLO/lGMWwUKNvUTufClrJ +wkg4CsIcoBh/kbWHuUA/3R1oHwiD1S0eiKD4j1aPbZkCkpAW1V8IbInX4ay8IMKx4INRimlNAJZa +by/ARH6jDuSRzVju3PvHHkVH3Se5CAGfpiEd9UEtL0z9KK3giq0itFZljoZUj5NDKd45RnijMCO6 +zfB9E1fAXdKDa0hMxKufgFpbOr3JpyI/gCczWw63igxdBzcIy2zSekciRDXFzMwujt0q7bd9Zg1f +YVEiVRvjRuPjPdA1YprbrxTIW6HMiRvhMCb8oJsfgadHHwTrozmSBp+Z07/T6k9QnBn+locePGX2 +oxgkg4YQ51Q+qDp2JE+BIcXjDwL4k5RHILv+1A7TaLndxHqEguNTVHnd25zS8gebLra8Pu2Fbe8l +EfKXGkJh90qX6IuxEAf6ZYGyojnP9zz/GPvG8VqLWeICrHuS0E4UT1lF9gxeKF+w6D9Fz8+vm2/7 +hNN3WpVvrJSEnu68wEqPSpP4RCHiMUVhUE4Q2OM1fEwZtN4Fv6MGn8i1zeQf1xcGDXqVdFUNaBr8 +EBtiZJ1t4JWgw5QHVw0U5r0F+7if5t+L4sbnfpb2U8WANFAoWPASUHEXMLrmeGO89LKtmyuy/uE5 +jF66CyCU3nuDuP/jVo23Eek7jPKxwV2dpAtMK9myGPW1n0sCAwEAAaNjMGEwHQYDVR0OBBYEFFLY +iDrIn3hm7YnzezhwlMkCAjbQMA8GA1UdEwEB/wQFMAMBAf8wHwYDVR0jBBgwFoAUUtiIOsifeGbt +ifN7OHCUyQICNtAwDgYDVR0PAQH/BAQDAgEGMA0GCSqGSIb3DQEBCwUAA4ICAQALe3KHwGCmSUyI +WOYdiPcUZEim2FgKDk8TNd81HdTtBjHIgT5q1d07GjLukD0R0i70jsNjLiNmsGe+b7bAEzlgqqI0 +JZN1Ut6nna0Oh4lScWoWPBkdg/iaKWW+9D+a2fDzWochcYBNy+A4mz+7+uAwTc+G02UQGRjRlwKx +K3JCaKygvU5a2hi/a5iB0P2avl4VSM0RFbnAKVy06Ij3Pjaut2L9HmLecHgQHEhb2rykOLpn7VU+ +Xlff1ANATIGk0k9jpwlCCRT8AKnCgHNPLsBA2RF7SOp6AsDT6ygBJlh0wcBzIm2Tlf05fbsq4/aC +4yyXX04fkZT6/iyj2HYauE2yOE+b+h1IYHkm4vP9qdCa6HCPSXrW5b0KDtst842/6+OkfcvHlXHo +2qN8xcL4dJIEG4aspCJTQLas/kx2z/uUMsA1n3Y/buWQbqCmJqK4LL7RK4X9p2jIugErsWx0Hbhz +lefut8cl8ABMALJ+tguLHPPAUJ4lueAI3jZm/zel0btUZCzJJ7VLkn5l/9Mt4blOvH+kQSGQQXem +OR/qnuOf0GZvBeyqdn6/axag67XH/JJULysRJyU3eExRarDzzFhdFPFqSBX/wge2sY0PjlxQRrM9 +vwGYT7JZVEc+NHt4bVaTLnPqZih4zR0Uv6CPLy64Lo7yFIrM6bV8+2ydDKXhlg== +-----END CERTIFICATE----- + +Trustis FPS Root CA +=================== +-----BEGIN CERTIFICATE----- +MIIDZzCCAk+gAwIBAgIQGx+ttiD5JNM2a/fH8YygWTANBgkqhkiG9w0BAQUFADBFMQswCQYDVQQG +EwJHQjEYMBYGA1UEChMPVHJ1c3RpcyBMaW1pdGVkMRwwGgYDVQQLExNUcnVzdGlzIEZQUyBSb290 +IENBMB4XDTAzMTIyMzEyMTQwNloXDTI0MDEyMTExMzY1NFowRTELMAkGA1UEBhMCR0IxGDAWBgNV +BAoTD1RydXN0aXMgTGltaXRlZDEcMBoGA1UECxMTVHJ1c3RpcyBGUFMgUm9vdCBDQTCCASIwDQYJ +KoZIhvcNAQEBBQADggEPADCCAQoCggEBAMVQe547NdDfxIzNjpvto8A2mfRC6qc+gIMPpqdZh8mQ +RUN+AOqGeSoDvT03mYlmt+WKVoaTnGhLaASMk5MCPjDSNzoiYYkchU59j9WvezX2fihHiTHcDnlk +H5nSW7r+f2C/revnPDgpai/lkQtV/+xvWNUtyd5MZnGPDNcE2gfmHhjjvSkCqPoc4Vu5g6hBSLwa +cY3nYuUtsuvffM/bq1rKMfFMIvMFE/eC+XN5DL7XSxzA0RU8k0Fk0ea+IxciAIleH2ulrG6nS4zt +o3Lmr2NNL4XSFDWaLk6M6jKYKIahkQlBOrTh4/L68MkKokHdqeMDx4gVOxzUGpTXn2RZEm0CAwEA +AaNTMFEwDwYDVR0TAQH/BAUwAwEB/zAfBgNVHSMEGDAWgBS6+nEleYtXQSUhhgtx67JkDoshZzAd +BgNVHQ4EFgQUuvpxJXmLV0ElIYYLceuyZA6LIWcwDQYJKoZIhvcNAQEFBQADggEBAH5Y//01GX2c +GE+esCu8jowU/yyg2kdbw++BLa8F6nRIW/M+TgfHbcWzk88iNVy2P3UnXwmWzaD+vkAMXBJV+JOC +yinpXj9WV4s4NvdFGkwozZ5BuO1WTISkQMi4sKUraXAEasP41BIy+Q7DsdwyhEQsb8tGD+pmQQ9P +8Vilpg0ND2HepZ5dfWWhPBfnqFVO76DH7cZEf1T1o+CP8HxVIo8ptoGj4W1OLBuAZ+ytIJ8MYmHV +l/9D7S3B2l0pKoU/rGXuhg8FjZBf3+6f9L/uHfuY5H+QK4R4EA5sSVPvFVtlRkpdr7r7OnIdzfYl +iB6XzCGcKQENZetX2fNXlrtIzYE= +-----END CERTIFICATE----- + +StartCom Certification Authority +================================ +-----BEGIN CERTIFICATE----- +MIIHhzCCBW+gAwIBAgIBLTANBgkqhkiG9w0BAQsFADB9MQswCQYDVQQGEwJJTDEWMBQGA1UEChMN +U3RhcnRDb20gTHRkLjErMCkGA1UECxMiU2VjdXJlIERpZ2l0YWwgQ2VydGlmaWNhdGUgU2lnbmlu +ZzEpMCcGA1UEAxMgU3RhcnRDb20gQ2VydGlmaWNhdGlvbiBBdXRob3JpdHkwHhcNMDYwOTE3MTk0 +NjM3WhcNMzYwOTE3MTk0NjM2WjB9MQswCQYDVQQGEwJJTDEWMBQGA1UEChMNU3RhcnRDb20gTHRk +LjErMCkGA1UECxMiU2VjdXJlIERpZ2l0YWwgQ2VydGlmaWNhdGUgU2lnbmluZzEpMCcGA1UEAxMg +U3RhcnRDb20gQ2VydGlmaWNhdGlvbiBBdXRob3JpdHkwggIiMA0GCSqGSIb3DQEBAQUAA4ICDwAw +ggIKAoICAQDBiNsJvGxGfHiflXu1M5DycmLWwTYgIiRezul38kMKogZkpMyONvg45iPwbm2xPN1y +o4UcodM9tDMr0y+v/uqwQVlntsQGfQqedIXWeUyAN3rfOQVSWff0G0ZDpNKFhdLDcfN1YjS6LIp/ +Ho/u7TTQEceWzVI9ujPW3U3eCztKS5/CJi/6tRYccjV3yjxd5srhJosaNnZcAdt0FCX+7bWgiA/d +eMotHweXMAEtcnn6RtYTKqi5pquDSR3l8u/d5AGOGAqPY1MWhWKpDhk6zLVmpsJrdAfkK+F2PrRt +2PZE4XNiHzvEvqBTViVsUQn3qqvKv3b9bZvzndu/PWa8DFaqr5hIlTpL36dYUNk4dalb6kMMAv+Z +6+hsTXBbKWWc3apdzK8BMewM69KN6Oqce+Zu9ydmDBpI125C4z/eIT574Q1w+2OqqGwaVLRcJXrJ +osmLFqa7LH4XXgVNWG4SHQHuEhANxjJ/GP/89PrNbpHoNkm+Gkhpi8KWTRoSsmkXwQqQ1vp5Iki/ +untp+HDH+no32NgN0nZPV/+Qt+OR0t3vwmC3Zzrd/qqc8NSLf3Iizsafl7b4r4qgEKjZ+xjGtrVc +UjyJthkqcwEKDwOzEmDyei+B26Nu/yYwl/WL3YlXtq09s68rxbd2AvCl1iuahhQqcvbjM4xdCUsT +37uMdBNSSwIDAQABo4ICEDCCAgwwDwYDVR0TAQH/BAUwAwEB/zAOBgNVHQ8BAf8EBAMCAQYwHQYD +VR0OBBYEFE4L7xqkQFulF2mHMMo0aEPQQa7yMB8GA1UdIwQYMBaAFE4L7xqkQFulF2mHMMo0aEPQ +Qa7yMIIBWgYDVR0gBIIBUTCCAU0wggFJBgsrBgEEAYG1NwEBATCCATgwLgYIKwYBBQUHAgEWImh0 +dHA6Ly93d3cuc3RhcnRzc2wuY29tL3BvbGljeS5wZGYwNAYIKwYBBQUHAgEWKGh0dHA6Ly93d3cu +c3RhcnRzc2wuY29tL2ludGVybWVkaWF0ZS5wZGYwgc8GCCsGAQUFBwICMIHCMCcWIFN0YXJ0IENv +bW1lcmNpYWwgKFN0YXJ0Q29tKSBMdGQuMAMCAQEagZZMaW1pdGVkIExpYWJpbGl0eSwgcmVhZCB0 +aGUgc2VjdGlvbiAqTGVnYWwgTGltaXRhdGlvbnMqIG9mIHRoZSBTdGFydENvbSBDZXJ0aWZpY2F0 +aW9uIEF1dGhvcml0eSBQb2xpY3kgYXZhaWxhYmxlIGF0IGh0dHA6Ly93d3cuc3RhcnRzc2wuY29t +L3BvbGljeS5wZGYwEQYJYIZIAYb4QgEBBAQDAgAHMDgGCWCGSAGG+EIBDQQrFilTdGFydENvbSBG +cmVlIFNTTCBDZXJ0aWZpY2F0aW9uIEF1dGhvcml0eTANBgkqhkiG9w0BAQsFAAOCAgEAjo/n3JR5 +fPGFf59Jb2vKXfuM/gTFwWLRfUKKvFO3lANmMD+x5wqnUCBVJX92ehQN6wQOQOY+2IirByeDqXWm +N3PH/UvSTa0XQMhGvjt/UfzDtgUx3M2FIk5xt/JxXrAaxrqTi3iSSoX4eA+D/i+tLPfkpLst0OcN +Org+zvZ49q5HJMqjNTbOx8aHmNrs++myziebiMMEofYLWWivydsQD032ZGNcpRJvkrKTlMeIFw6T +tn5ii5B/q06f/ON1FE8qMt9bDeD1e5MNq6HPh+GlBEXoPBKlCcWw0bdT82AUuoVpaiF8H3VhFyAX +e2w7QSlc4axa0c2Mm+tgHRns9+Ww2vl5GKVFP0lDV9LdJNUso/2RjSe15esUBppMeyG7Oq0wBhjA +2MFrLH9ZXF2RsXAiV+uKa0hK1Q8p7MZAwC+ITGgBF3f0JBlPvfrhsiAhS90a2Cl9qrjeVOwhVYBs +HvUwyKMQ5bLmKhQxw4UtjJixhlpPiVktucf3HMiKf8CdBUrmQk9io20ppB+Fq9vlgcitKj1MXVuE +JnHEhV5xJMqlG2zYYdMa4FTbzrqpMrUi9nNBCV24F10OD5mQ1kfabwo6YigUZ4LZ8dCAWZvLMdib +D4x3TrVoivJs9iQOLWxwxXPR3hTQcY+203sC9uO41Alua551hDnmfyWl8kgAwKQB2j8= +-----END CERTIFICATE----- + +StartCom Certification Authority G2 +=================================== +-----BEGIN CERTIFICATE----- +MIIFYzCCA0ugAwIBAgIBOzANBgkqhkiG9w0BAQsFADBTMQswCQYDVQQGEwJJTDEWMBQGA1UEChMN +U3RhcnRDb20gTHRkLjEsMCoGA1UEAxMjU3RhcnRDb20gQ2VydGlmaWNhdGlvbiBBdXRob3JpdHkg +RzIwHhcNMTAwMTAxMDEwMDAxWhcNMzkxMjMxMjM1OTAxWjBTMQswCQYDVQQGEwJJTDEWMBQGA1UE +ChMNU3RhcnRDb20gTHRkLjEsMCoGA1UEAxMjU3RhcnRDb20gQ2VydGlmaWNhdGlvbiBBdXRob3Jp +dHkgRzIwggIiMA0GCSqGSIb3DQEBAQUAA4ICDwAwggIKAoICAQC2iTZbB7cgNr2Cu+EWIAOVeq8O +o1XJJZlKxdBWQYeQTSFgpBSHO839sj60ZwNq7eEPS8CRhXBF4EKe3ikj1AENoBB5uNsDvfOpL9HG +4A/LnooUCri99lZi8cVytjIl2bLzvWXFDSxu1ZJvGIsAQRSCb0AgJnooD/Uefyf3lLE3PbfHkffi +Aez9lInhzG7TNtYKGXmu1zSCZf98Qru23QumNK9LYP5/Q0kGi4xDuFby2X8hQxfqp0iVAXV16iul +Q5XqFYSdCI0mblWbq9zSOdIxHWDirMxWRST1HFSr7obdljKF+ExP6JV2tgXdNiNnvP8V4so75qbs +O+wmETRIjfaAKxojAuuKHDp2KntWFhxyKrOq42ClAJ8Em+JvHhRYW6Vsi1g8w7pOOlz34ZYrPu8H +vKTlXcxNnw3h3Kq74W4a7I/htkxNeXJdFzULHdfBR9qWJODQcqhaX2YtENwvKhOuJv4KHBnM0D4L +nMgJLvlblnpHnOl68wVQdJVznjAJ85eCXuaPOQgeWeU1FEIT/wCc976qUM/iUUjXuG+v+E5+M5iS +FGI6dWPPe/regjupuznixL0sAA7IF6wT700ljtizkC+p2il9Ha90OrInwMEePnWjFqmveiJdnxMa +z6eg6+OGCtP95paV1yPIN93EfKo2rJgaErHgTuixO/XWb/Ew1wIDAQABo0IwQDAPBgNVHRMBAf8E +BTADAQH/MA4GA1UdDwEB/wQEAwIBBjAdBgNVHQ4EFgQUS8W0QGutHLOlHGVuRjaJhwUMDrYwDQYJ +KoZIhvcNAQELBQADggIBAHNXPyzVlTJ+N9uWkusZXn5T50HsEbZH77Xe7XRcxfGOSeD8bpkTzZ+K +2s06Ctg6Wgk/XzTQLwPSZh0avZyQN8gMjgdalEVGKua+etqhqaRpEpKwfTbURIfXUfEpY9Z1zRbk +J4kd+MIySP3bmdCPX1R0zKxnNBFi2QwKN4fRoxdIjtIXHfbX/dtl6/2o1PXWT6RbdejF0mCy2wl+ +JYt7ulKSnj7oxXehPOBKc2thz4bcQ///If4jXSRK9dNtD2IEBVeC2m6kMyV5Sy5UGYvMLD0w6dEG +/+gyRr61M3Z3qAFdlsHB1b6uJcDJHgoJIIihDsnzb02CVAAgp9KP5DlUFy6NHrgbuxu9mk47EDTc +nIhT76IxW1hPkWLIwpqazRVdOKnWvvgTtZ8SafJQYqz7Fzf07rh1Z2AQ+4NQ+US1dZxAF7L+/Xld +blhYXzD8AK6vM8EOTmy6p6ahfzLbOOCxchcKK5HsamMm7YnUeMx0HgX4a/6ManY5Ka5lIxKVCCIc +l85bBu4M4ru8H0ST9tg4RQUh7eStqxK2A6RCLi3ECToDZ2mEmuFZkIoohdVddLHRDiBYmxOlsGOm +7XtH/UVVMKTumtTm4ofvmMkyghEpIrwACjFeLQ/Ajulrso8uBtjRkcfGEvRM/TAXw8HaOFvjqerm +obp573PYtlNXLfbQ4ddI +-----END CERTIFICATE----- + +Buypass Class 2 Root CA +======================= +-----BEGIN CERTIFICATE----- +MIIFWTCCA0GgAwIBAgIBAjANBgkqhkiG9w0BAQsFADBOMQswCQYDVQQGEwJOTzEdMBsGA1UECgwU +QnV5cGFzcyBBUy05ODMxNjMzMjcxIDAeBgNVBAMMF0J1eXBhc3MgQ2xhc3MgMiBSb290IENBMB4X +DTEwMTAyNjA4MzgwM1oXDTQwMTAyNjA4MzgwM1owTjELMAkGA1UEBhMCTk8xHTAbBgNVBAoMFEJ1 +eXBhc3MgQVMtOTgzMTYzMzI3MSAwHgYDVQQDDBdCdXlwYXNzIENsYXNzIDIgUm9vdCBDQTCCAiIw +DQYJKoZIhvcNAQEBBQADggIPADCCAgoCggIBANfHXvfBB9R3+0Mh9PT1aeTuMgHbo4Yf5FkNuud1 +g1Lr6hxhFUi7HQfKjK6w3Jad6sNgkoaCKHOcVgb/S2TwDCo3SbXlzwx87vFKu3MwZfPVL4O2fuPn +9Z6rYPnT8Z2SdIrkHJasW4DptfQxh6NR/Md+oW+OU3fUl8FVM5I+GC911K2GScuVr1QGbNgGE41b +/+EmGVnAJLqBcXmQRFBoJJRfuLMR8SlBYaNByyM21cHxMlAQTn/0hpPshNOOvEu/XAFOBz3cFIqU +CqTqc/sLUegTBxj6DvEr0VQVfTzh97QZQmdiXnfgolXsttlpF9U6r0TtSsWe5HonfOV116rLJeff +awrbD02TTqigzXsu8lkBarcNuAeBfos4GzjmCleZPe4h6KP1DBbdi+w0jpwqHAAVF41og9JwnxgI +zRFo1clrUs3ERo/ctfPYV3Me6ZQ5BL/T3jjetFPsaRyifsSP5BtwrfKi+fv3FmRmaZ9JUaLiFRhn +Bkp/1Wy1TbMz4GHrXb7pmA8y1x1LPC5aAVKRCfLf6o3YBkBjqhHk/sM3nhRSP/TizPJhk9H9Z2vX +Uq6/aKtAQ6BXNVN48FP4YUIHZMbXb5tMOA1jrGKvNouicwoN9SG9dKpN6nIDSdvHXx1iY8f93ZHs +M+71bbRuMGjeyNYmsHVee7QHIJihdjK4TWxPAgMBAAGjQjBAMA8GA1UdEwEB/wQFMAMBAf8wHQYD +VR0OBBYEFMmAd+BikoL1RpzzuvdMw964o605MA4GA1UdDwEB/wQEAwIBBjANBgkqhkiG9w0BAQsF +AAOCAgEAU18h9bqwOlI5LJKwbADJ784g7wbylp7ppHR/ehb8t/W2+xUbP6umwHJdELFx7rxP462s +A20ucS6vxOOto70MEae0/0qyexAQH6dXQbLArvQsWdZHEIjzIVEpMMpghq9Gqx3tOluwlN5E40EI +osHsHdb9T7bWR9AUC8rmyrV7d35BH16Dx7aMOZawP5aBQW9gkOLo+fsicdl9sz1Gv7SEr5AcD48S +aq/v7h56rgJKihcrdv6sVIkkLE8/trKnToyokZf7KcZ7XC25y2a2t6hbElGFtQl+Ynhw/qlqYLYd +DnkM/crqJIByw5c/8nerQyIKx+u2DISCLIBrQYoIwOula9+ZEsuK1V6ADJHgJgg2SMX6OBE1/yWD +LfJ6v9r9jv6ly0UsH8SIU653DtmadsWOLB2jutXsMq7Aqqz30XpN69QH4kj3Io6wpJ9qzo6ysmD0 +oyLQI+uUWnpp3Q+/QFesa1lQ2aOZ4W7+jQF5JyMV3pKdewlNWudLSDBaGOYKbeaP4NK75t98biGC +wWg5TbSYWGZizEqQXsP6JwSxeRV0mcy+rSDeJmAc61ZRpqPq5KM/p/9h3PFaTWwyI0PurKju7koS +CTxdccK+efrCh2gdC/1cacwG0Jp9VJkqyTkaGa9LKkPzY11aWOIv4x3kqdbQCtCev9eBCfHJxyYN +rJgWVqA= +-----END CERTIFICATE----- + +Buypass Class 3 Root CA +======================= +-----BEGIN CERTIFICATE----- +MIIFWTCCA0GgAwIBAgIBAjANBgkqhkiG9w0BAQsFADBOMQswCQYDVQQGEwJOTzEdMBsGA1UECgwU +QnV5cGFzcyBBUy05ODMxNjMzMjcxIDAeBgNVBAMMF0J1eXBhc3MgQ2xhc3MgMyBSb290IENBMB4X +DTEwMTAyNjA4Mjg1OFoXDTQwMTAyNjA4Mjg1OFowTjELMAkGA1UEBhMCTk8xHTAbBgNVBAoMFEJ1 +eXBhc3MgQVMtOTgzMTYzMzI3MSAwHgYDVQQDDBdCdXlwYXNzIENsYXNzIDMgUm9vdCBDQTCCAiIw +DQYJKoZIhvcNAQEBBQADggIPADCCAgoCggIBAKXaCpUWUOOV8l6ddjEGMnqb8RB2uACatVI2zSRH +sJ8YZLya9vrVediQYkwiL944PdbgqOkcLNt4EemOaFEVcsfzM4fkoF0LXOBXByow9c3EN3coTRiR +5r/VUv1xLXA+58bEiuPwKAv0dpihi4dVsjoT/Lc+JzeOIuOoTyrvYLs9tznDDgFHmV0ST9tD+leh +7fmdvhFHJlsTmKtdFoqwNxxXnUX/iJY2v7vKB3tvh2PX0DJq1l1sDPGzbjniazEuOQAnFN44wOwZ +ZoYS6J1yFhNkUsepNxz9gjDthBgd9K5c/3ATAOux9TN6S9ZV+AWNS2mw9bMoNlwUxFFzTWsL8TQH +2xc519woe2v1n/MuwU8XKhDzzMro6/1rqy6any2CbgTUUgGTLT2G/H783+9CHaZr77kgxve9oKeV +/afmiSTYzIw0bOIjL9kSGiG5VZFvC5F5GQytQIgLcOJ60g7YaEi7ghM5EFjp2CoHxhLbWNvSO1UQ +RwUVZ2J+GGOmRj8JDlQyXr8NYnon74Do29lLBlo3WiXQCBJ31G8JUJc9yB3D34xFMFbG02SrZvPA +Xpacw8Tvw3xrizp5f7NJzz3iiZ+gMEuFuZyUJHmPfWupRWgPK9Dx2hzLabjKSWJtyNBjYt1gD1iq +j6G8BaVmos8bdrKEZLFMOVLAMLrwjEsCsLa3AgMBAAGjQjBAMA8GA1UdEwEB/wQFMAMBAf8wHQYD +VR0OBBYEFEe4zf/lb+74suwvTg75JbCOPGvDMA4GA1UdDwEB/wQEAwIBBjANBgkqhkiG9w0BAQsF +AAOCAgEAACAjQTUEkMJAYmDv4jVM1z+s4jSQuKFvdvoWFqRINyzpkMLyPPgKn9iB5btb2iUspKdV +cSQy9sgL8rxq+JOssgfCX5/bzMiKqr5qb+FJEMwx14C7u8jYog5kV+qi9cKpMRXSIGrs/CIBKM+G +uIAeqcwRpTzyFrNHnfzSgCHEy9BHcEGhyoMZCCxt8l13nIoUE9Q2HJLw5QY33KbmkJs4j1xrG0aG +Q0JfPgEHU1RdZX33inOhmlRaHylDFCfChQ+1iHsaO5S3HWCntZznKWlXWpuTekMwGwPXYshApqr8 +ZORK15FTAaggiG6cX0S5y2CBNOxv033aSF/rtJC8LakcC6wc1aJoIIAE1vyxjy+7SjENSoYc6+I2 +KSb12tjE8nVhz36udmNKekBlk4f4HoCMhuWG1o8O/FMsYOgWYRqiPkN7zTlgVGr18okmAWiDSKIz +6MkEkbIRNBE+6tBDGR8Dk5AM/1E9V/RBbuHLoL7ryWPNbczk+DaqaJ3tvV2XcEQNtg413OEMXbug +UZTLfhbrES+jkkXITHHZvMmZUldGL1DPvTVp9D0VzgalLA8+9oG6lLvDu79leNKGef9JOxqDDPDe +eOzI8k1MGt6CKfjBWtrt7uYnXuhF0J0cUahoq0Tj0Itq4/g7u9xN12TyUb7mqqta6THuBrxzvxNi +Cp/HuZc= +-----END CERTIFICATE----- + +T-TeleSec GlobalRoot Class 3 +============================ +-----BEGIN CERTIFICATE----- +MIIDwzCCAqugAwIBAgIBATANBgkqhkiG9w0BAQsFADCBgjELMAkGA1UEBhMCREUxKzApBgNVBAoM +IlQtU3lzdGVtcyBFbnRlcnByaXNlIFNlcnZpY2VzIEdtYkgxHzAdBgNVBAsMFlQtU3lzdGVtcyBU +cnVzdCBDZW50ZXIxJTAjBgNVBAMMHFQtVGVsZVNlYyBHbG9iYWxSb290IENsYXNzIDMwHhcNMDgx +MDAxMTAyOTU2WhcNMzMxMDAxMjM1OTU5WjCBgjELMAkGA1UEBhMCREUxKzApBgNVBAoMIlQtU3lz +dGVtcyBFbnRlcnByaXNlIFNlcnZpY2VzIEdtYkgxHzAdBgNVBAsMFlQtU3lzdGVtcyBUcnVzdCBD +ZW50ZXIxJTAjBgNVBAMMHFQtVGVsZVNlYyBHbG9iYWxSb290IENsYXNzIDMwggEiMA0GCSqGSIb3 +DQEBAQUAA4IBDwAwggEKAoIBAQC9dZPwYiJvJK7genasfb3ZJNW4t/zN8ELg63iIVl6bmlQdTQyK +9tPPcPRStdiTBONGhnFBSivwKixVA9ZIw+A5OO3yXDw/RLyTPWGrTs0NvvAgJ1gORH8EGoel15YU +NpDQSXuhdfsaa3Ox+M6pCSzyU9XDFES4hqX2iys52qMzVNn6chr3IhUciJFrf2blw2qAsCTz34ZF +iP0Zf3WHHx+xGwpzJFu5ZeAsVMhg02YXP+HMVDNzkQI6pn97djmiH5a2OK61yJN0HZ65tOVgnS9W +0eDrXltMEnAMbEQgqxHY9Bn20pxSN+f6tsIxO0rUFJmtxxr1XV/6B7h8DR/Wgx6zAgMBAAGjQjBA +MA8GA1UdEwEB/wQFMAMBAf8wDgYDVR0PAQH/BAQDAgEGMB0GA1UdDgQWBBS1A/d2O2GCahKqGFPr +AyGUv/7OyjANBgkqhkiG9w0BAQsFAAOCAQEAVj3vlNW92nOyWL6ukK2YJ5f+AbGwUgC4TeQbIXQb +fsDuXmkqJa9c1h3a0nnJ85cp4IaH3gRZD/FZ1GSFS5mvJQQeyUapl96Cshtwn5z2r3Ex3XsFpSzT +ucpH9sry9uetuUg/vBa3wW306gmv7PO15wWeph6KU1HWk4HMdJP2udqmJQV0eVp+QD6CSyYRMG7h +P0HHRwA11fXT91Q+gT3aSWqas+8QPebrb9HIIkfLzM8BMZLZGOMivgkeGj5asuRrDFR6fUNOuIml +e9eiPZaGzPImNC1qkp2aGtAw4l1OBLBfiyB+d8E9lYLRRpo7PHi4b6HQDWSieB4pTpPDpFQUWw== +-----END CERTIFICATE----- + +EE Certification Centre Root CA +=============================== +-----BEGIN CERTIFICATE----- +MIIEAzCCAuugAwIBAgIQVID5oHPtPwBMyonY43HmSjANBgkqhkiG9w0BAQUFADB1MQswCQYDVQQG +EwJFRTEiMCAGA1UECgwZQVMgU2VydGlmaXRzZWVyaW1pc2tlc2t1czEoMCYGA1UEAwwfRUUgQ2Vy +dGlmaWNhdGlvbiBDZW50cmUgUm9vdCBDQTEYMBYGCSqGSIb3DQEJARYJcGtpQHNrLmVlMCIYDzIw +MTAxMDMwMTAxMDMwWhgPMjAzMDEyMTcyMzU5NTlaMHUxCzAJBgNVBAYTAkVFMSIwIAYDVQQKDBlB +UyBTZXJ0aWZpdHNlZXJpbWlza2Vza3VzMSgwJgYDVQQDDB9FRSBDZXJ0aWZpY2F0aW9uIENlbnRy +ZSBSb290IENBMRgwFgYJKoZIhvcNAQkBFglwa2lAc2suZWUwggEiMA0GCSqGSIb3DQEBAQUAA4IB +DwAwggEKAoIBAQDIIMDs4MVLqwd4lfNE7vsLDP90jmG7sWLqI9iroWUyeuuOF0+W2Ap7kaJjbMeM +TC55v6kF/GlclY1i+blw7cNRfdCT5mzrMEvhvH2/UpvObntl8jixwKIy72KyaOBhU8E2lf/slLo2 +rpwcpzIP5Xy0xm90/XsY6KxX7QYgSzIwWFv9zajmofxwvI6Sc9uXp3whrj3B9UiHbCe9nyV0gVWw +93X2PaRka9ZP585ArQ/dMtO8ihJTmMmJ+xAdTX7Nfh9WDSFwhfYggx/2uh8Ej+p3iDXE/+pOoYtN +P2MbRMNE1CV2yreN1x5KZmTNXMWcg+HCCIia7E6j8T4cLNlsHaFLAgMBAAGjgYowgYcwDwYDVR0T +AQH/BAUwAwEB/zAOBgNVHQ8BAf8EBAMCAQYwHQYDVR0OBBYEFBLyWj7qVhy/zQas8fElyalL1BSZ +MEUGA1UdJQQ+MDwGCCsGAQUFBwMCBggrBgEFBQcDAQYIKwYBBQUHAwMGCCsGAQUFBwMEBggrBgEF +BQcDCAYIKwYBBQUHAwkwDQYJKoZIhvcNAQEFBQADggEBAHv25MANqhlHt01Xo/6tu7Fq1Q+e2+Rj +xY6hUFaTlrg4wCQiZrxTFGGVv9DHKpY5P30osxBAIWrEr7BSdxjhlthWXePdNl4dp1BUoMUq5KqM +lIpPnTX/dqQGE5Gion0ARD9V04I8GtVbvFZMIi5GQ4okQC3zErg7cBqklrkar4dBGmoYDQZPxz5u +uSlNDUmJEYcyW+ZLBMjkXOZ0c5RdFpgTlf7727FE5TpwrDdr5rMzcijJs1eg9gIWiAYLtqZLICjU +3j2LrTcFU3T+bsy8QxdxXvnFzBqpYe73dgzzcvRyrc9yAjYHR8/vGVCJYMzpJJUPwssd8m92kMfM +dcGWxZ0= +-----END CERTIFICATE----- diff --git a/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Http/Resources/cacert.pem.md5 b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Http/Resources/cacert.pem.md5 new file mode 100644 index 0000000000..56f626a934 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Http/Resources/cacert.pem.md5 @@ -0,0 +1 @@ +47961e7ef15667c93cd99be01b51f00a diff --git a/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Http/StaticClient.php b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Http/StaticClient.php new file mode 100644 index 0000000000..dbd4c18413 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Http/StaticClient.php @@ -0,0 +1,157 @@ +createRequest($method, $url, null, null, $options); + + if (isset($options['stream'])) { + if ($options['stream'] instanceof StreamRequestFactoryInterface) { + return $options['stream']->fromRequest($request); + } elseif ($options['stream'] == true) { + $streamFactory = new PhpStreamRequestFactory(); + return $streamFactory->fromRequest($request); + } + } + + return $request->send(); + } + + /** + * Send a GET request + * + * @param string $url URL of the request + * @param array $options Array of request options + * + * @return \Guzzle\Http\Message\Response + * @see Guzzle::request for a list of available options + */ + public static function get($url, $options = array()) + { + return self::request('GET', $url, $options); + } + + /** + * Send a HEAD request + * + * @param string $url URL of the request + * @param array $options Array of request options + * + * @return \Guzzle\Http\Message\Response + * @see Guzzle::request for a list of available options + */ + public static function head($url, $options = array()) + { + return self::request('HEAD', $url, $options); + } + + /** + * Send a DELETE request + * + * @param string $url URL of the request + * @param array $options Array of request options + * + * @return \Guzzle\Http\Message\Response + * @see Guzzle::request for a list of available options + */ + public static function delete($url, $options = array()) + { + return self::request('DELETE', $url, $options); + } + + /** + * Send a POST request + * + * @param string $url URL of the request + * @param array $options Array of request options + * + * @return \Guzzle\Http\Message\Response + * @see Guzzle::request for a list of available options + */ + public static function post($url, $options = array()) + { + return self::request('POST', $url, $options); + } + + /** + * Send a PUT request + * + * @param string $url URL of the request + * @param array $options Array of request options + * + * @return \Guzzle\Http\Message\Response + * @see Guzzle::request for a list of available options + */ + public static function put($url, $options = array()) + { + return self::request('PUT', $url, $options); + } + + /** + * Send a PATCH request + * + * @param string $url URL of the request + * @param array $options Array of request options + * + * @return \Guzzle\Http\Message\Response + * @see Guzzle::request for a list of available options + */ + public static function patch($url, $options = array()) + { + return self::request('PATCH', $url, $options); + } + + /** + * Send an OPTIONS request + * + * @param string $url URL of the request + * @param array $options Array of request options + * + * @return \Guzzle\Http\Message\Response + * @see Guzzle::request for a list of available options + */ + public static function options($url, $options = array()) + { + return self::request('OPTIONS', $url, $options); + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Http/Url.php b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Http/Url.php new file mode 100644 index 0000000000..e7fe628446 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Http/Url.php @@ -0,0 +1,538 @@ + null, 'host' => null, 'path' => null, 'port' => null, 'query' => null, + 'user' => null, 'pass' => null, 'fragment' => null); + + $parts = parse_url($url) + $defaults; + + // Convert the query string into a QueryString object + if ($parts['query'] || 0 !== strlen($parts['query'])) { + $parts['query'] = QueryString::fromString($parts['query']); + } + + return new self($parts['scheme'], $parts['host'], $parts['user'], + $parts['pass'], $parts['port'], $parts['path'], $parts['query'], + $parts['fragment']); + } + + /** + * Build a URL from parse_url parts. The generated URL will be a relative URL if a scheme or host are not provided. + * + * @param array $parts Array of parse_url parts + * + * @return string + */ + public static function buildUrl(array $parts) + { + $url = $scheme = ''; + + if (isset($parts['scheme'])) { + $scheme = $parts['scheme']; + $url .= $scheme . ':'; + } + + if (isset($parts['host'])) { + $url .= '//'; + if (isset($parts['user'])) { + $url .= $parts['user']; + if (isset($parts['pass'])) { + $url .= ':' . $parts['pass']; + } + $url .= '@'; + } + + $url .= $parts['host']; + + // Only include the port if it is not the default port of the scheme + if (isset($parts['port']) + && !(($scheme == 'http' && $parts['port'] == 80) || ($scheme == 'https' && $parts['port'] == 443)) + ) { + $url .= ':' . $parts['port']; + } + } + + // Add the path component if present + if (isset($parts['path']) && 0 !== strlen($parts['path'])) { + // Always ensure that the path begins with '/' if set and something is before the path + if ($url && $parts['path'][0] != '/' && substr($url, -1) != '/') { + $url .= '/'; + } + $url .= $parts['path']; + } + + // Add the query string if present + if (isset($parts['query'])) { + $url .= '?' . $parts['query']; + } + + // Ensure that # is only added to the url if fragment contains anything. + if (isset($parts['fragment'])) { + $url .= '#' . $parts['fragment']; + } + + return $url; + } + + /** + * Create a new URL from URL parts + * + * @param string $scheme Scheme of the URL + * @param string $host Host of the URL + * @param string $username Username of the URL + * @param string $password Password of the URL + * @param int $port Port of the URL + * @param string $path Path of the URL + * @param QueryString|array|string $query Query string of the URL + * @param string $fragment Fragment of the URL + */ + public function __construct($scheme, $host, $username = null, $password = null, $port = null, $path = null, QueryString $query = null, $fragment = null) + { + $this->scheme = $scheme; + $this->host = $host; + $this->port = $port; + $this->username = $username; + $this->password = $password; + $this->fragment = $fragment; + if (!$query) { + $this->query = new QueryString(); + } else { + $this->setQuery($query); + } + $this->setPath($path); + } + + /** + * Clone the URL + */ + public function __clone() + { + $this->query = clone $this->query; + } + + /** + * Returns the URL as a URL string + * + * @return string + */ + public function __toString() + { + return self::buildUrl($this->getParts()); + } + + /** + * Get the parts of the URL as an array + * + * @return array + */ + public function getParts() + { + return array( + 'scheme' => $this->scheme, + 'user' => $this->username, + 'pass' => $this->password, + 'host' => $this->host, + 'port' => $this->port, + 'path' => $this->getPath(), + 'query' => (string) $this->query ?: null, + 'fragment' => $this->fragment, + ); + } + + /** + * Set the host of the request. + * + * @param string $host Host to set (e.g. www.yahoo.com, yahoo.com) + * + * @return Url + */ + public function setHost($host) + { + if (strpos($host, ':') === false) { + $this->host = $host; + } else { + list($host, $port) = explode(':', $host); + $this->host = $host; + $this->setPort($port); + } + + return $this; + } + + /** + * Get the host part of the URL + * + * @return string + */ + public function getHost() + { + return $this->host; + } + + /** + * Set the scheme part of the URL (http, https, ftp, etc) + * + * @param string $scheme Scheme to set + * + * @return Url + */ + public function setScheme($scheme) + { + $this->scheme = $scheme; + + return $this; + } + + /** + * Get the scheme part of the URL + * + * @return string + */ + public function getScheme() + { + return $this->scheme; + } + + /** + * Set the port part of the URL + * + * @param int $port Port to set + * + * @return Url + */ + public function setPort($port) + { + $this->port = $port; + + return $this; + } + + /** + * Get the port part of the URl. Will return the default port for a given scheme if no port has been set. + * + * @return int|null + */ + public function getPort() + { + if ($this->port) { + return $this->port; + } elseif ($this->scheme == 'http') { + return 80; + } elseif ($this->scheme == 'https') { + return 443; + } + + return null; + } + + /** + * Set the path part of the URL + * + * @param array|string $path Path string or array of path segments + * + * @return Url + */ + public function setPath($path) + { + if (is_array($path)) { + $this->path = '/' . implode('/', $path); + } else { + $this->path = (string) $path; + } + + return $this; + } + + /** + * Normalize the URL so that double slashes and relative paths are removed + * + * @return Url + */ + public function normalizePath() + { + if (!$this->path || $this->path == '/' || $this->path == '*') { + return $this; + } + + // Replace // and /./ with / + $this->path = str_replace(array('/./', '//'), '/', $this->path); + + // Remove dot segments + if (strpos($this->path, '..') !== false) { + + // Remove trailing relative paths if possible + $segments = $this->getPathSegments(); + $last = end($segments); + $trailingSlash = false; + if ($last === '') { + array_pop($segments); + $trailingSlash = true; + } + + while ($last == '..' || $last == '.') { + if ($last == '..') { + array_pop($segments); + $last = array_pop($segments); + } + if ($last == '.' || $last == '') { + $last = array_pop($segments); + } + } + + $this->path = implode('/', $segments); + if ($trailingSlash) { + $this->path .= '/'; + } + } + + return $this; + } + + /** + * Add a relative path to the currently set path + * + * @param string $relativePath Relative path to add + * + * @return Url + */ + public function addPath($relativePath) + { + if (!$relativePath || $relativePath == '/') { + return $this; + } + + // Add a leading slash if needed + if ($relativePath[0] != '/') { + $relativePath = '/' . $relativePath; + } + + return $this->setPath(str_replace('//', '/', $this->getPath() . $relativePath)); + } + + /** + * Get the path part of the URL + * + * @return string + */ + public function getPath() + { + return $this->path; + } + + /** + * Get the path segments of the URL as an array + * + * @return array + */ + public function getPathSegments() + { + return array_slice(explode('/', $this->getPath()), 1); + } + + /** + * Set the password part of the URL + * + * @param string $password Password to set + * + * @return Url + */ + public function setPassword($password) + { + $this->password = $password; + + return $this; + } + + /** + * Get the password part of the URL + * + * @return null|string + */ + public function getPassword() + { + return $this->password; + } + + /** + * Set the username part of the URL + * + * @param string $username Username to set + * + * @return Url + */ + public function setUsername($username) + { + $this->username = $username; + + return $this; + } + + /** + * Get the username part of the URl + * + * @return null|string + */ + public function getUsername() + { + return $this->username; + } + + /** + * Get the query part of the URL as a QueryString object + * + * @return QueryString + */ + public function getQuery() + { + return $this->query; + } + + /** + * Set the query part of the URL + * + * @param QueryString|string|array $query Query to set + * + * @return Url + */ + public function setQuery($query) + { + if (is_string($query)) { + $output = null; + parse_str($query, $output); + $this->query = new QueryString($output); + } elseif (is_array($query)) { + $this->query = new QueryString($query); + } elseif ($query instanceof QueryString) { + $this->query = $query; + } + + return $this; + } + + /** + * Get the fragment part of the URL + * + * @return null|string + */ + public function getFragment() + { + return $this->fragment; + } + + /** + * Set the fragment part of the URL + * + * @param string $fragment Fragment to set + * + * @return Url + */ + public function setFragment($fragment) + { + $this->fragment = $fragment; + + return $this; + } + + /** + * Check if this is an absolute URL + * + * @return bool + */ + public function isAbsolute() + { + return $this->scheme && $this->host; + } + + /** + * Combine the URL with another URL. Follows the rules specific in RFC 3986 section 5.4. + * + * @param string $url Relative URL to combine with + * + * @return Url + * @throws InvalidArgumentException + * @link http://tools.ietf.org/html/rfc3986#section-5.4 + */ + public function combine($url) + { + $url = self::factory($url); + + // Use the more absolute URL as the base URL + if (!$this->isAbsolute() && $url->isAbsolute()) { + $url = $url->combine($this); + } + + // Passing a URL with a scheme overrides everything + if ($buffer = $url->getScheme()) { + $this->scheme = $buffer; + $this->host = $url->getHost(); + $this->port = $url->getPort(); + $this->username = $url->getUsername(); + $this->password = $url->getPassword(); + $this->path = $url->getPath(); + $this->query = $url->getQuery(); + $this->fragment = $url->getFragment(); + return $this; + } + + // Setting a host overrides the entire rest of the URL + if ($buffer = $url->getHost()) { + $this->host = $buffer; + $this->port = $url->getPort(); + $this->username = $url->getUsername(); + $this->password = $url->getPassword(); + $this->path = $url->getPath(); + $this->fragment = $url->getFragment(); + return $this; + } + + $path = $url->getPath(); + $query = $url->getQuery(); + + if (!$path) { + if (count($query)) { + $this->query = $query; + } + } else { + if ($path[0] == '/') { + $this->path = $path; + } else { + $this->path .= '/' . $path; + } + $this->normalizePath(); + $this->query = $query; + } + + $this->fragment = $url->getFragment(); + + return $this; + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Inflection/Inflector.php b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Inflection/Inflector.php new file mode 100644 index 0000000000..c6997734ce --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Inflection/Inflector.php @@ -0,0 +1,38 @@ + array(), + 'camel' => array() + ); + + /** @var int Max entries per cache */ + protected $maxCacheSize; + + /** @var InflectorInterface Decorated inflector */ + protected $decoratedInflector; + + /** + * @param InflectorInterface $inflector Inflector being decorated + * @param int $maxCacheSize Maximum number of cached items to hold per cache + */ + public function __construct(InflectorInterface $inflector, $maxCacheSize = 500) + { + $this->decoratedInflector = $inflector; + $this->maxCacheSize = $maxCacheSize; + } + + public function snake($word) + { + if (!isset($this->cache['snake'][$word])) { + $this->pruneCache('snake'); + $this->cache['snake'][$word] = $this->decoratedInflector->snake($word); + } + + return $this->cache['snake'][$word]; + } + + /** + * Converts strings from snake_case to upper CamelCase + * + * @param string $word Value to convert into upper CamelCase + * + * @return string + */ + public function camel($word) + { + if (!isset($this->cache['camel'][$word])) { + $this->pruneCache('camel'); + $this->cache['camel'][$word] = $this->decoratedInflector->camel($word); + } + + return $this->cache['camel'][$word]; + } + + /** + * Prune one of the named caches by removing 20% of the cache if it is full + * + * @param string $cache Type of cache to prune + */ + protected function pruneCache($cache) + { + if (count($this->cache[$cache]) == $this->maxCacheSize) { + $this->cache[$cache] = array_slice($this->cache[$cache], $this->maxCacheSize * 0.2); + } + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Inflection/PreComputedInflector.php b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Inflection/PreComputedInflector.php new file mode 100644 index 0000000000..db37e4fe4a --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Inflection/PreComputedInflector.php @@ -0,0 +1,59 @@ + array(), + 'camel' => array() + ); + + /** @var InflectorInterface Decorated inflector */ + protected $decoratedInflector; + + /** + * @param InflectorInterface $inflector Inflector being decorated + * @param array $snake Hash of pre-computed camel to snake + * @param array $camel Hash of pre-computed snake to camel + * @param bool $mirror Mirror snake and camel reflections + */ + public function __construct(InflectorInterface $inflector, array $snake = array(), array $camel = array(), $mirror = false) + { + if ($mirror) { + $camel = array_merge(array_flip($snake), $camel); + $snake = array_merge(array_flip($camel), $snake); + } + + $this->decoratedInflector = $inflector; + $this->mapping = array( + 'snake' => $snake, + 'camel' => $camel + ); + } + + public function snake($word) + { + return isset($this->mapping['snake'][$word]) + ? $this->mapping['snake'][$word] + : $this->decoratedInflector->snake($word); + } + + /** + * Converts strings from snake_case to upper CamelCase + * + * @param string $word Value to convert into upper CamelCase + * + * @return string + */ + public function camel($word) + { + return isset($this->mapping['camel'][$word]) + ? $this->mapping['camel'][$word] + : $this->decoratedInflector->camel($word); + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Iterator/AppendIterator.php b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Iterator/AppendIterator.php new file mode 100644 index 0000000000..1b6bd7e537 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Iterator/AppendIterator.php @@ -0,0 +1,19 @@ +getArrayIterator()->append($iterator); + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Iterator/ChunkedIterator.php b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Iterator/ChunkedIterator.php new file mode 100644 index 0000000000..1807b23e97 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Iterator/ChunkedIterator.php @@ -0,0 +1,50 @@ +chunkSize = $chunkSize; + } + + public function rewind() + { + $this->next(); + } + + public function next() + { + $this->chunk = array(); + $inner = $this->getInnerIterator(); + for ($i = 0; $i < $this->chunkSize && $inner->valid(); $i++) { + $this->chunk[] = $inner->current(); + $inner->next(); + } + } + + public function current() + { + return $this->chunk; + } + + public function valid() + { + return !empty($this->chunk); + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Iterator/FilterIterator.php b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Iterator/FilterIterator.php new file mode 100644 index 0000000000..82b978284b --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Iterator/FilterIterator.php @@ -0,0 +1,36 @@ +callback = $callback; + } + + public function accept() + { + return call_user_func($this->callback, $this->current()); + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Iterator/MapIterator.php b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Iterator/MapIterator.php new file mode 100644 index 0000000000..7e586bda6a --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Iterator/MapIterator.php @@ -0,0 +1,34 @@ +callback = $callback; + } + + public function current() + { + return call_user_func($this->callback, parent::current()); + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Iterator/MethodProxyIterator.php b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Iterator/MethodProxyIterator.php new file mode 100644 index 0000000000..de4ab03604 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Iterator/MethodProxyIterator.php @@ -0,0 +1,27 @@ +getInnerIterator(); + while ($i instanceof \OuterIterator) { + $i = $i->getInnerIterator(); + } + + return call_user_func_array(array($i, $name), $args); + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Log/AbstractLogAdapter.php b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Log/AbstractLogAdapter.php new file mode 100644 index 0000000000..7f6271bcb5 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Log/AbstractLogAdapter.php @@ -0,0 +1,16 @@ +log; + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Log/ArrayLogAdapter.php b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Log/ArrayLogAdapter.php new file mode 100644 index 0000000000..a70fc8d423 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Log/ArrayLogAdapter.php @@ -0,0 +1,34 @@ +logs[] = array('message' => $message, 'priority' => $priority, 'extras' => $extras); + } + + /** + * Get logged entries + * + * @return array + */ + public function getLogs() + { + return $this->logs; + } + + /** + * Clears logged entries + */ + public function clearLogs() + { + $this->logs = array(); + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Log/ClosureLogAdapter.php b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Log/ClosureLogAdapter.php new file mode 100644 index 0000000000..d4bb73f219 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Log/ClosureLogAdapter.php @@ -0,0 +1,23 @@ +log = $logObject; + } + + public function log($message, $priority = LOG_INFO, $extras = array()) + { + call_user_func($this->log, $message, $priority, $extras); + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Log/LogAdapterInterface.php b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Log/LogAdapterInterface.php new file mode 100644 index 0000000000..d7ac4ea7c7 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Log/LogAdapterInterface.php @@ -0,0 +1,18 @@ +>>>>>>>\n{request}\n<<<<<<<<\n{response}\n--------\n{curl_stderr}"; + const SHORT_FORMAT = '[{ts}] "{method} {resource} {protocol}/{version}" {code}'; + + /** + * @var string Template used to format log messages + */ + protected $template; + + /** + * @param string $template Log message template + */ + public function __construct($template = self::DEFAULT_FORMAT) + { + $this->template = $template ?: self::DEFAULT_FORMAT; + } + + /** + * Set the template to use for logging + * + * @param string $template Log message template + * + * @return self + */ + public function setTemplate($template) + { + $this->template = $template; + + return $this; + } + + /** + * Returns a formatted message + * + * @param RequestInterface $request Request that was sent + * @param Response $response Response that was received + * @param CurlHandle $handle Curl handle associated with the message + * @param array $customData Associative array of custom template data + * + * @return string + */ + public function format( + RequestInterface $request, + Response $response = null, + CurlHandle $handle = null, + array $customData = array() + ) { + $cache = $customData; + + return preg_replace_callback( + '/{\s*([A-Za-z_\-\.0-9]+)\s*}/', + function (array $matches) use ($request, $response, $handle, &$cache) { + + if (array_key_exists($matches[1], $cache)) { + return $cache[$matches[1]]; + } + + $result = ''; + switch ($matches[1]) { + case 'request': + $result = (string) $request; + break; + case 'response': + $result = (string) $response; + break; + case 'req_body': + $result = $request instanceof EntityEnclosingRequestInterface + ? (string) $request->getBody() : ''; + break; + case 'res_body': + $result = $response ? $response->getBody(true) : ''; + break; + case 'ts': + $result = gmdate('c'); + break; + case 'method': + $result = $request->getMethod(); + break; + case 'url': + $result = (string) $request->getUrl(); + break; + case 'resource': + $result = $request->getResource(); + break; + case 'protocol': + $result = 'HTTP'; + break; + case 'version': + $result = $request->getProtocolVersion(); + break; + case 'host': + $result = $request->getHost(); + break; + case 'hostname': + $result = gethostname(); + break; + case 'port': + $result = $request->getPort(); + break; + case 'code': + $result = $response ? $response->getStatusCode() : ''; + break; + case 'phrase': + $result = $response ? $response->getReasonPhrase() : ''; + break; + case 'connect_time': + $result = $handle && $handle->getInfo(CURLINFO_CONNECT_TIME) + ? $handle->getInfo(CURLINFO_CONNECT_TIME) + : ($response ? $response->getInfo('connect_time') : ''); + break; + case 'total_time': + $result = $handle && $handle->getInfo(CURLINFO_TOTAL_TIME) + ? $handle->getInfo(CURLINFO_TOTAL_TIME) + : ($response ? $response->getInfo('total_time') : ''); + break; + case 'curl_error': + $result = $handle ? $handle->getError() : ''; + break; + case 'curl_code': + $result = $handle ? $handle->getErrorNo() : ''; + break; + case 'curl_stderr': + $result = $handle ? $handle->getStderr() : ''; + break; + default: + if (strpos($matches[1], 'req_header_') === 0) { + $result = $request->getHeader(substr($matches[1], 11)); + } elseif ($response && strpos($matches[1], 'res_header_') === 0) { + $result = $response->getHeader(substr($matches[1], 11)); + } + } + + $cache[$matches[1]] = $result; + return $result; + }, + $this->template + ); + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Log/MonologLogAdapter.php b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Log/MonologLogAdapter.php new file mode 100644 index 0000000000..8c74a45dce --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Log/MonologLogAdapter.php @@ -0,0 +1,34 @@ + Logger::DEBUG, + LOG_INFO => Logger::INFO, + LOG_WARNING => Logger::WARNING, + LOG_ERR => Logger::ERROR, + LOG_CRIT => Logger::CRITICAL, + LOG_ALERT => Logger::ALERT + ); + + public function __construct(Logger $logObject) + { + $this->log = $logObject; + } + + public function log($message, $priority = LOG_INFO, $extras = array()) + { + $this->log->addRecord(self::$mapping[$priority], $message); + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Log/PsrLogAdapter.php b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Log/PsrLogAdapter.php new file mode 100644 index 0000000000..38a2b600d6 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Log/PsrLogAdapter.php @@ -0,0 +1,36 @@ + LogLevel::DEBUG, + LOG_INFO => LogLevel::INFO, + LOG_WARNING => LogLevel::WARNING, + LOG_ERR => LogLevel::ERROR, + LOG_CRIT => LogLevel::CRITICAL, + LOG_ALERT => LogLevel::ALERT + ); + + public function __construct(LoggerInterface $logObject) + { + $this->log = $logObject; + } + + public function log($message, $priority = LOG_INFO, $extras = array()) + { + $this->log->log(self::$mapping[$priority], $message, $extras); + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Log/Zf1LogAdapter.php b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Log/Zf1LogAdapter.php new file mode 100644 index 0000000000..0ea8e3b1d0 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Log/Zf1LogAdapter.php @@ -0,0 +1,24 @@ +log = $logObject; + Version::warn(__CLASS__ . ' is deprecated'); + } + + public function log($message, $priority = LOG_INFO, $extras = array()) + { + $this->log->log($message, $priority, $extras); + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Log/Zf2LogAdapter.php b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Log/Zf2LogAdapter.php new file mode 100644 index 0000000000..863f6a1c41 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Log/Zf2LogAdapter.php @@ -0,0 +1,21 @@ +log = $logObject; + } + + public function log($message, $priority = LOG_INFO, $extras = array()) + { + $this->log->log($priority, $message, $extras); + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Parser/Cookie/CookieParser.php b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Parser/Cookie/CookieParser.php new file mode 100644 index 0000000000..8e825f9bde --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Parser/Cookie/CookieParser.php @@ -0,0 +1,86 @@ + 'Domain', + 'path' => 'Path', + 'max_age' => 'Max-Age', + 'expires' => 'Expires', + 'version' => 'Version', + 'secure' => 'Secure', + 'port' => 'Port', + 'discard' => 'Discard', + 'comment' => 'Comment', + 'comment_url' => 'Comment-Url', + 'http_only' => 'HttpOnly' + ); + + public function parseCookie($cookie, $host = null, $path = null, $decode = false) + { + // Explode the cookie string using a series of semicolons + $pieces = array_filter(array_map('trim', explode(';', $cookie))); + + // The name of the cookie (first kvp) must include an equal sign. + if (empty($pieces) || !strpos($pieces[0], '=')) { + return false; + } + + // Create the default return array + $data = array_merge(array_fill_keys(array_keys(self::$cookieParts), null), array( + 'cookies' => array(), + 'data' => array(), + 'path' => $path ?: '/', + 'http_only' => false, + 'discard' => false, + 'domain' => $host + )); + $foundNonCookies = 0; + + // Add the cookie pieces into the parsed data array + foreach ($pieces as $part) { + + $cookieParts = explode('=', $part, 2); + $key = trim($cookieParts[0]); + + if (count($cookieParts) == 1) { + // Can be a single value (e.g. secure, httpOnly) + $value = true; + } else { + // Be sure to strip wrapping quotes + $value = trim($cookieParts[1], " \n\r\t\0\x0B\""); + if ($decode) { + $value = urldecode($value); + } + } + + // Only check for non-cookies when cookies have been found + if (!empty($data['cookies'])) { + foreach (self::$cookieParts as $mapValue => $search) { + if (!strcasecmp($search, $key)) { + $data[$mapValue] = $mapValue == 'port' ? array_map('trim', explode(',', $value)) : $value; + $foundNonCookies++; + continue 2; + } + } + } + + // If cookies have not yet been retrieved, or this value was not found in the pieces array, treat it as a + // cookie. IF non-cookies have been parsed, then this isn't a cookie, it's cookie data. Cookies then data. + $data[$foundNonCookies ? 'data' : 'cookies'][$key] = $value; + } + + // Calculate the expires date + if (!$data['expires'] && $data['max_age']) { + $data['expires'] = time() + (int) $data['max_age']; + } + + return $data; + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Parser/Cookie/CookieParserInterface.php b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Parser/Cookie/CookieParserInterface.php new file mode 100644 index 0000000000..d21ffe21c1 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Parser/Cookie/CookieParserInterface.php @@ -0,0 +1,33 @@ + $requestUrl, + 'scheme' => 'http' + ); + + // Check for the Host header + if (isset($parts['headers']['Host'])) { + $urlParts['host'] = $parts['headers']['Host']; + } elseif (isset($parts['headers']['host'])) { + $urlParts['host'] = $parts['headers']['host']; + } else { + $urlParts['host'] = null; + } + + if (false === strpos($urlParts['host'], ':')) { + $urlParts['port'] = ''; + } else { + $hostParts = explode(':', $urlParts['host']); + $urlParts['host'] = trim($hostParts[0]); + $urlParts['port'] = (int) trim($hostParts[1]); + if ($urlParts['port'] == 443) { + $urlParts['scheme'] = 'https'; + } + } + + // Check if a query is present + $path = $urlParts['path']; + $qpos = strpos($path, '?'); + if ($qpos) { + $urlParts['query'] = substr($path, $qpos + 1); + $urlParts['path'] = substr($path, 0, $qpos); + } else { + $urlParts['query'] = ''; + } + + return $urlParts; + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Parser/Message/MessageParser.php b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Parser/Message/MessageParser.php new file mode 100644 index 0000000000..104740068e --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Parser/Message/MessageParser.php @@ -0,0 +1,110 @@ +parseMessage($message); + + // Parse the protocol and protocol version + if (isset($parts['start_line'][2])) { + $startParts = explode('/', $parts['start_line'][2]); + $protocol = strtoupper($startParts[0]); + $version = isset($startParts[1]) ? $startParts[1] : '1.1'; + } else { + $protocol = 'HTTP'; + $version = '1.1'; + } + + $parsed = array( + 'method' => strtoupper($parts['start_line'][0]), + 'protocol' => $protocol, + 'version' => $version, + 'headers' => $parts['headers'], + 'body' => $parts['body'] + ); + + $parsed['request_url'] = $this->getUrlPartsFromMessage($parts['start_line'][1], $parsed); + + return $parsed; + } + + public function parseResponse($message) + { + if (!$message) { + return false; + } + + $parts = $this->parseMessage($message); + list($protocol, $version) = explode('/', trim($parts['start_line'][0])); + + return array( + 'protocol' => $protocol, + 'version' => $version, + 'code' => $parts['start_line'][1], + 'reason_phrase' => isset($parts['start_line'][2]) ? $parts['start_line'][2] : '', + 'headers' => $parts['headers'], + 'body' => $parts['body'] + ); + } + + /** + * Parse a message into parts + * + * @param string $message Message to parse + * + * @return array + */ + protected function parseMessage($message) + { + $startLine = null; + $headers = array(); + $body = ''; + + // Iterate over each line in the message, accounting for line endings + $lines = preg_split('/(\\r?\\n)/', $message, -1, PREG_SPLIT_DELIM_CAPTURE); + for ($i = 0, $totalLines = count($lines); $i < $totalLines; $i += 2) { + + $line = $lines[$i]; + + // If two line breaks were encountered, then this is the end of body + if (empty($line)) { + if ($i < $totalLines - 1) { + $body = implode('', array_slice($lines, $i + 2)); + } + break; + } + + // Parse message headers + if (!$startLine) { + $startLine = explode(' ', $line, 3); + } elseif (strpos($line, ':')) { + $parts = explode(':', $line, 2); + $key = trim($parts[0]); + $value = isset($parts[1]) ? trim($parts[1]) : ''; + if (!isset($headers[$key])) { + $headers[$key] = $value; + } elseif (!is_array($headers[$key])) { + $headers[$key] = array($headers[$key], $value); + } else { + $headers[$key][] = $value; + } + } + } + + return array( + 'start_line' => $startLine, + 'headers' => $headers, + 'body' => $body + ); + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Parser/Message/MessageParserInterface.php b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Parser/Message/MessageParserInterface.php new file mode 100644 index 0000000000..cc448088db --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Parser/Message/MessageParserInterface.php @@ -0,0 +1,27 @@ + $parts->requestMethod, + 'protocol' => 'HTTP', + 'version' => number_format($parts->httpVersion, 1), + 'headers' => $parts->headers, + 'body' => $parts->body + ); + + $parsed['request_url'] = $this->getUrlPartsFromMessage($parts->requestUrl, $parsed); + + return $parsed; + } + + public function parseResponse($message) + { + if (!$message) { + return false; + } + + $parts = http_parse_message($message); + + return array( + 'protocol' => 'HTTP', + 'version' => number_format($parts->httpVersion, 1), + 'code' => $parts->responseCode, + 'reason_phrase' => $parts->responseStatus, + 'headers' => $parts->headers, + 'body' => $parts->body + ); + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Parser/ParserRegistry.php b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Parser/ParserRegistry.php new file mode 100644 index 0000000000..f8386831c2 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Parser/ParserRegistry.php @@ -0,0 +1,75 @@ + 'Guzzle\\Parser\\Message\\MessageParser', + 'cookie' => 'Guzzle\\Parser\\Cookie\\CookieParser', + 'url' => 'Guzzle\\Parser\\Url\\UrlParser', + 'uri_template' => 'Guzzle\\Parser\\UriTemplate\\UriTemplate', + ); + + /** + * @return self + * @codeCoverageIgnore + */ + public static function getInstance() + { + if (!self::$instance) { + self::$instance = new static; + } + + return self::$instance; + } + + public function __construct() + { + // Use the PECL URI template parser if available + if (extension_loaded('uri_template')) { + $this->mapping['uri_template'] = 'Guzzle\\Parser\\UriTemplate\\PeclUriTemplate'; + } + } + + /** + * Get a parser by name from an instance + * + * @param string $name Name of the parser to retrieve + * + * @return mixed|null + */ + public function getParser($name) + { + if (!isset($this->instances[$name])) { + if (!isset($this->mapping[$name])) { + return null; + } + $class = $this->mapping[$name]; + $this->instances[$name] = new $class(); + } + + return $this->instances[$name]; + } + + /** + * Register a custom parser by name with the register + * + * @param string $name Name or handle of the parser to register + * @param mixed $parser Instantiated parser to register + */ + public function registerParser($name, $parser) + { + $this->instances[$name] = $parser; + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Parser/UriTemplate/PeclUriTemplate.php b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Parser/UriTemplate/PeclUriTemplate.php new file mode 100644 index 0000000000..b0764e8377 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Parser/UriTemplate/PeclUriTemplate.php @@ -0,0 +1,26 @@ + true, '#' => true, '.' => true, '/' => true, ';' => true, '?' => true, '&' => true + ); + + /** @var array Delimiters */ + private static $delims = array( + ':', '/', '?', '#', '[', ']', '@', '!', '$', '&', '\'', '(', ')', '*', '+', ',', ';', '=' + ); + + /** @var array Percent encoded delimiters */ + private static $delimsPct = array( + '%3A', '%2F', '%3F', '%23', '%5B', '%5D', '%40', '%21', '%24', '%26', '%27', '%28', '%29', '%2A', '%2B', '%2C', + '%3B', '%3D' + ); + + public function expand($template, array $variables) + { + $this->template = $template; + $this->variables = $variables; + + // Check to ensure that the preg_* function is needed + if (false === strpos($this->template, '{')) { + return $this->template; + } + + return preg_replace_callback(self::$regex, array($this, 'expandMatch'), $this->template); + } + + /** + * Parse an expression into parts + * + * @param string $expression Expression to parse + * + * @return array Returns an associative array of parts + */ + private function parseExpression($expression) + { + // Check for URI operators + $operator = ''; + + if (isset(self::$operatorHash[$expression[0]])) { + $operator = $expression[0]; + $expression = substr($expression, 1); + } + + $values = explode(',', $expression); + foreach ($values as &$value) { + $value = trim($value); + $varspec = array(); + $substrPos = strpos($value, ':'); + if ($substrPos) { + $varspec['value'] = substr($value, 0, $substrPos); + $varspec['modifier'] = ':'; + $varspec['position'] = (int) substr($value, $substrPos + 1); + } elseif (substr($value, -1) == '*') { + $varspec['modifier'] = '*'; + $varspec['value'] = substr($value, 0, -1); + } else { + $varspec['value'] = (string) $value; + $varspec['modifier'] = ''; + } + $value = $varspec; + } + + return array( + 'operator' => $operator, + 'values' => $values + ); + } + + /** + * Process an expansion + * + * @param array $matches Matches met in the preg_replace_callback + * + * @return string Returns the replacement string + */ + private function expandMatch(array $matches) + { + static $rfc1738to3986 = array( + '+' => '%20', + '%7e' => '~' + ); + + $parsed = self::parseExpression($matches[1]); + $replacements = array(); + + $prefix = $parsed['operator']; + $joiner = $parsed['operator']; + $useQueryString = false; + if ($parsed['operator'] == '?') { + $joiner = '&'; + $useQueryString = true; + } elseif ($parsed['operator'] == '&') { + $useQueryString = true; + } elseif ($parsed['operator'] == '#') { + $joiner = ','; + } elseif ($parsed['operator'] == ';') { + $useQueryString = true; + } elseif ($parsed['operator'] == '' || $parsed['operator'] == '+') { + $joiner = ','; + $prefix = ''; + } + + foreach ($parsed['values'] as $value) { + + if (!array_key_exists($value['value'], $this->variables) || $this->variables[$value['value']] === null) { + continue; + } + + $variable = $this->variables[$value['value']]; + $actuallyUseQueryString = $useQueryString; + $expanded = ''; + + if (is_array($variable)) { + + $isAssoc = $this->isAssoc($variable); + $kvp = array(); + foreach ($variable as $key => $var) { + + if ($isAssoc) { + $key = rawurlencode($key); + $isNestedArray = is_array($var); + } else { + $isNestedArray = false; + } + + if (!$isNestedArray) { + $var = rawurlencode($var); + if ($parsed['operator'] == '+' || $parsed['operator'] == '#') { + $var = $this->decodeReserved($var); + } + } + + if ($value['modifier'] == '*') { + if ($isAssoc) { + if ($isNestedArray) { + // Nested arrays must allow for deeply nested structures + $var = strtr(http_build_query(array($key => $var)), $rfc1738to3986); + } else { + $var = $key . '=' . $var; + } + } elseif ($key > 0 && $actuallyUseQueryString) { + $var = $value['value'] . '=' . $var; + } + } + + $kvp[$key] = $var; + } + + if (empty($variable)) { + $actuallyUseQueryString = false; + } elseif ($value['modifier'] == '*') { + $expanded = implode($joiner, $kvp); + if ($isAssoc) { + // Don't prepend the value name when using the explode modifier with an associative array + $actuallyUseQueryString = false; + } + } else { + if ($isAssoc) { + // When an associative array is encountered and the explode modifier is not set, then the + // result must be a comma separated list of keys followed by their respective values. + foreach ($kvp as $k => &$v) { + $v = $k . ',' . $v; + } + } + $expanded = implode(',', $kvp); + } + + } else { + if ($value['modifier'] == ':') { + $variable = substr($variable, 0, $value['position']); + } + $expanded = rawurlencode($variable); + if ($parsed['operator'] == '+' || $parsed['operator'] == '#') { + $expanded = $this->decodeReserved($expanded); + } + } + + if ($actuallyUseQueryString) { + if (!$expanded && $joiner != '&') { + $expanded = $value['value']; + } else { + $expanded = $value['value'] . '=' . $expanded; + } + } + + $replacements[] = $expanded; + } + + $ret = implode($joiner, $replacements); + if ($ret && $prefix) { + return $prefix . $ret; + } + + return $ret; + } + + /** + * Determines if an array is associative + * + * @param array $array Array to check + * + * @return bool + */ + private function isAssoc(array $array) + { + return (bool) count(array_filter(array_keys($array), 'is_string')); + } + + /** + * Removes percent encoding on reserved characters (used with + and # modifiers) + * + * @param string $string String to fix + * + * @return string + */ + private function decodeReserved($string) + { + return str_replace(self::$delimsPct, self::$delims, $string); + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Parser/UriTemplate/UriTemplateInterface.php b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Parser/UriTemplate/UriTemplateInterface.php new file mode 100644 index 0000000000..c81d51548e --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Parser/UriTemplate/UriTemplateInterface.php @@ -0,0 +1,21 @@ +utf8 = $utf8; + } + + public function parseUrl($url) + { + Version::warn(__CLASS__ . ' is deprecated. Just use parse_url()'); + + static $defaults = array('scheme' => null, 'host' => null, 'path' => null, 'port' => null, 'query' => null, + 'user' => null, 'pass' => null, 'fragment' => null); + + $parts = parse_url($url); + + // Need to handle query parsing specially for UTF-8 requirements + if ($this->utf8 && isset($parts['query'])) { + $queryPos = strpos($url, '?'); + if (isset($parts['fragment'])) { + $parts['query'] = substr($url, $queryPos + 1, strpos($url, '#') - $queryPos - 1); + } else { + $parts['query'] = substr($url, $queryPos + 1); + } + } + + return $parts + $defaults; + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Parser/Url/UrlParserInterface.php b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Parser/Url/UrlParserInterface.php new file mode 100644 index 0000000000..89ac4b3077 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Parser/Url/UrlParserInterface.php @@ -0,0 +1,19 @@ + 'onBeforeSend', + 'request.exception' => 'onRequestTimeout', + 'request.sent' => 'onRequestSent', + 'curl.callback.progress' => 'onCurlProgress' + ); + } + + /** + * Event used to ensure that progress callback are emitted from the curl handle's request mediator. + * + * @param Event $event + */ + public function onBeforeSend(Event $event) + { + // Ensure that progress callbacks are dispatched + $event['request']->getCurlOptions()->set('progress', true); + } + + /** + * Event emitted when a curl progress function is called. When the amount of data uploaded == the amount of data to + * upload OR any bytes have been downloaded, then time the request out after 1ms because we're done with + * transmitting the request, and tell curl not download a body. + * + * @param Event $event + */ + public function onCurlProgress(Event $event) + { + if ($event['handle'] && + ($event['downloaded'] || ($event['uploaded'] && $event['upload_size'] === $event['uploaded'])) + ) { + // Timeout after 1ms + curl_setopt($event['handle'], CURLOPT_TIMEOUT_MS, 1); + // Even if the response is quick, tell curl not to download the body + curl_setopt($event['handle'], CURLOPT_NOBODY, true); + } + } + + /** + * Event emitted when a curl exception occurs. Ignore the exception and set a mock response. + * + * @param Event $event + */ + public function onRequestTimeout(Event $event) + { + if ($event['exception'] instanceof CurlException) { + $event['request']->setResponse(new Response(200, array( + 'X-Guzzle-Async' => 'Did not wait for the response' + ))); + } + } + + /** + * Event emitted when a request completes because it took less than 1ms. Add an X-Guzzle-Async header to notify the + * caller that there is no body in the message. + * + * @param Event $event + */ + public function onRequestSent(Event $event) + { + // Let the caller know this was meant to be async + $event['request']->getResponse()->setHeader('X-Guzzle-Async', 'Did not wait for the response'); + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Plugin/Backoff/AbstractBackoffStrategy.php b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Plugin/Backoff/AbstractBackoffStrategy.php new file mode 100644 index 0000000000..0a85983452 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Plugin/Backoff/AbstractBackoffStrategy.php @@ -0,0 +1,91 @@ +next = $next; + } + + /** + * Get the next backoff strategy in the chain + * + * @return AbstractBackoffStrategy|null + */ + public function getNext() + { + return $this->next; + } + + public function getBackoffPeriod( + $retries, + RequestInterface $request, + Response $response = null, + HttpException $e = null + ) { + $delay = $this->getDelay($retries, $request, $response, $e); + if ($delay === false) { + // The strategy knows that this must not be retried + return false; + } elseif ($delay === null) { + // If the strategy is deferring a decision and the next strategy will not make a decision then return false + return !$this->next || !$this->next->makesDecision() + ? false + : $this->next->getBackoffPeriod($retries, $request, $response, $e); + } elseif ($delay === true) { + // if the strategy knows that it must retry but is deferring to the next to determine the delay + if (!$this->next) { + return 0; + } else { + $next = $this->next; + while ($next->makesDecision() && $next->getNext()) { + $next = $next->getNext(); + } + return !$next->makesDecision() ? $next->getBackoffPeriod($retries, $request, $response, $e) : 0; + } + } else { + return $delay; + } + } + + /** + * Check if the strategy does filtering and makes decisions on whether or not to retry. + * + * Strategies that return false will never retry if all of the previous strategies in a chain defer on a backoff + * decision. + * + * @return bool + */ + abstract public function makesDecision(); + + /** + * Implement the concrete strategy + * + * @param int $retries Number of retries of the request + * @param RequestInterface $request Request that was sent + * @param Response $response Response that was received. Note that there may not be a response + * @param HttpException $e Exception that was encountered if any + * + * @return bool|int|null Returns false to not retry or the number of seconds to delay between retries. Return true + * or null to defer to the next strategy if available, and if not, return 0. + */ + abstract protected function getDelay( + $retries, + RequestInterface $request, + Response $response = null, + HttpException $e = null + ); +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Plugin/Backoff/AbstractErrorCodeBackoffStrategy.php b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Plugin/Backoff/AbstractErrorCodeBackoffStrategy.php new file mode 100644 index 0000000000..6ebee6c1a3 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Plugin/Backoff/AbstractErrorCodeBackoffStrategy.php @@ -0,0 +1,40 @@ +errorCodes = array_fill_keys($codes ?: static::$defaultErrorCodes, 1); + $this->next = $next; + } + + /** + * Get the default failure codes to retry + * + * @return array + */ + public static function getDefaultFailureCodes() + { + return static::$defaultErrorCodes; + } + + public function makesDecision() + { + return true; + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Plugin/Backoff/BackoffLogger.php b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Plugin/Backoff/BackoffLogger.php new file mode 100644 index 0000000000..ec54c289eb --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Plugin/Backoff/BackoffLogger.php @@ -0,0 +1,76 @@ +logger = $logger; + $this->formatter = $formatter ?: new MessageFormatter(self::DEFAULT_FORMAT); + } + + public static function getSubscribedEvents() + { + return array(BackoffPlugin::RETRY_EVENT => 'onRequestRetry'); + } + + /** + * Set the template to use for logging + * + * @param string $template Log message template + * + * @return self + */ + public function setTemplate($template) + { + $this->formatter->setTemplate($template); + + return $this; + } + + /** + * Called when a request is being retried + * + * @param Event $event Event emitted + */ + public function onRequestRetry(Event $event) + { + $this->logger->log($this->formatter->format( + $event['request'], + $event['response'], + $event['handle'], + array( + 'retries' => $event['retries'], + 'delay' => $event['delay'] + ) + )); + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Plugin/Backoff/BackoffPlugin.php b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Plugin/Backoff/BackoffPlugin.php new file mode 100644 index 0000000000..b2b84c266d --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Plugin/Backoff/BackoffPlugin.php @@ -0,0 +1,126 @@ +strategy = $strategy; + } + + /** + * Retrieve a basic truncated exponential backoff plugin that will retry HTTP errors and cURL errors + * + * @param int $maxRetries Maximum number of retries + * @param array $httpCodes HTTP response codes to retry + * @param array $curlCodes cURL error codes to retry + * + * @return self + */ + public static function getExponentialBackoff( + $maxRetries = 3, + array $httpCodes = null, + array $curlCodes = null + ) { + return new self(new TruncatedBackoffStrategy($maxRetries, + new HttpBackoffStrategy($httpCodes, + new CurlBackoffStrategy($curlCodes, + new ExponentialBackoffStrategy() + ) + ) + )); + } + + public static function getAllEvents() + { + return array(self::RETRY_EVENT); + } + + public static function getSubscribedEvents() + { + return array( + 'request.sent' => 'onRequestSent', + 'request.exception' => 'onRequestSent', + CurlMultiInterface::POLLING_REQUEST => 'onRequestPoll' + ); + } + + /** + * Called when a request has been sent and isn't finished processing + * + * @param Event $event + */ + public function onRequestSent(Event $event) + { + $request = $event['request']; + $response = $event['response']; + $exception = $event['exception']; + + $params = $request->getParams(); + $retries = (int) $params->get(self::RETRY_PARAM); + $delay = $this->strategy->getBackoffPeriod($retries, $request, $response, $exception); + + if ($delay !== false) { + // Calculate how long to wait until the request should be retried + $params->set(self::RETRY_PARAM, ++$retries) + ->set(self::DELAY_PARAM, microtime(true) + $delay); + // Send the request again + $request->setState(RequestInterface::STATE_TRANSFER); + $this->dispatch(self::RETRY_EVENT, array( + 'request' => $request, + 'response' => $response, + 'handle' => $exception ? $exception->getCurlHandle() : null, + 'retries' => $retries, + 'delay' => $delay + )); + } + } + + /** + * Called when a request is polling in the curl multi object + * + * @param Event $event + */ + public function onRequestPoll(Event $event) + { + $request = $event['request']; + $delay = $request->getParams()->get(self::DELAY_PARAM); + + // If the duration of the delay has passed, retry the request using the pool + if (null !== $delay && microtime(true) >= $delay) { + // Remove the request from the pool and then add it back again. This is required for cURL to know that we + // want to retry sending the easy handle. + $request->getParams()->remove(self::DELAY_PARAM); + // Rewind the request body if possible + if ($request instanceof EntityEnclosingRequestInterface && $request->getBody()) { + $request->getBody()->seek(0); + } + $multi = $event['curl_multi']; + $multi->remove($request); + $multi->add($request); + } + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Plugin/Backoff/BackoffStrategyInterface.php b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Plugin/Backoff/BackoffStrategyInterface.php new file mode 100644 index 0000000000..4e590dbe0f --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Plugin/Backoff/BackoffStrategyInterface.php @@ -0,0 +1,30 @@ +callback = $callback; + $this->decision = (bool) $decision; + $this->next = $next; + } + + public function makesDecision() + { + return $this->decision; + } + + protected function getDelay($retries, RequestInterface $request, Response $response = null, HttpException $e = null) + { + return call_user_func($this->callback, $retries, $request, $response, $e); + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Plugin/Backoff/ConstantBackoffStrategy.php b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Plugin/Backoff/ConstantBackoffStrategy.php new file mode 100644 index 0000000000..061d2a407f --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Plugin/Backoff/ConstantBackoffStrategy.php @@ -0,0 +1,34 @@ +delay = $delay; + } + + public function makesDecision() + { + return false; + } + + protected function getDelay($retries, RequestInterface $request, Response $response = null, HttpException $e = null) + { + return $this->delay; + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Plugin/Backoff/CurlBackoffStrategy.php b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Plugin/Backoff/CurlBackoffStrategy.php new file mode 100644 index 0000000000..d1d70f65c5 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Plugin/Backoff/CurlBackoffStrategy.php @@ -0,0 +1,28 @@ +errorCodes[$e->getErrorNo()]) ? true : null; + } + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Plugin/Backoff/ExponentialBackoffStrategy.php b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Plugin/Backoff/ExponentialBackoffStrategy.php new file mode 100644 index 0000000000..fb2912d50e --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Plugin/Backoff/ExponentialBackoffStrategy.php @@ -0,0 +1,25 @@ +isSuccessful()) { + return false; + } else { + return isset($this->errorCodes[$response->getStatusCode()]) ? true : null; + } + } + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Plugin/Backoff/LinearBackoffStrategy.php b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Plugin/Backoff/LinearBackoffStrategy.php new file mode 100644 index 0000000000..b35e8a490d --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Plugin/Backoff/LinearBackoffStrategy.php @@ -0,0 +1,36 @@ +step = $step; + } + + public function makesDecision() + { + return false; + } + + protected function getDelay($retries, RequestInterface $request, Response $response = null, HttpException $e = null) + { + return $retries * $this->step; + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Plugin/Backoff/ReasonPhraseBackoffStrategy.php b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Plugin/Backoff/ReasonPhraseBackoffStrategy.php new file mode 100644 index 0000000000..4fd73fedfb --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Plugin/Backoff/ReasonPhraseBackoffStrategy.php @@ -0,0 +1,25 @@ +errorCodes[$response->getReasonPhrase()]) ? true : null; + } + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Plugin/Backoff/TruncatedBackoffStrategy.php b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Plugin/Backoff/TruncatedBackoffStrategy.php new file mode 100644 index 0000000000..3608f35842 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Plugin/Backoff/TruncatedBackoffStrategy.php @@ -0,0 +1,36 @@ +max = $maxRetries; + $this->next = $next; + } + + public function makesDecision() + { + return true; + } + + protected function getDelay($retries, RequestInterface $request, Response $response = null, HttpException $e = null) + { + return $retries < $this->max ? null : false; + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Plugin/Cache/CacheKeyProviderInterface.php b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Plugin/Cache/CacheKeyProviderInterface.php new file mode 100644 index 0000000000..7790f88442 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Plugin/Cache/CacheKeyProviderInterface.php @@ -0,0 +1,11 @@ + new DefaultCacheStorage($options)); + } elseif ($options instanceof CacheStorageInterface) { + $options = array('storage' => $options); + } elseif ($options) { + $options = array('storage' => new DefaultCacheStorage(CacheAdapterFactory::fromCache($options))); + } elseif (!class_exists('Doctrine\Common\Cache\ArrayCache')) { + // @codeCoverageIgnoreStart + throw new InvalidArgumentException('No cache was provided and Doctrine is not installed'); + // @codeCoverageIgnoreEnd + } + } + + $this->autoPurge = isset($options['auto_purge']) ? $options['auto_purge'] : false; + + // Add a cache storage if a cache adapter was provided + $this->storage = isset($options['storage']) + ? $options['storage'] + : new DefaultCacheStorage(new DoctrineCacheAdapter(new ArrayCache())); + + if (!isset($options['can_cache'])) { + $this->canCache = new DefaultCanCacheStrategy(); + } else { + $this->canCache = is_callable($options['can_cache']) + ? new CallbackCanCacheStrategy($options['can_cache']) + : $options['can_cache']; + } + + // Use the provided revalidation strategy or the default + $this->revalidation = isset($options['revalidation']) + ? $options['revalidation'] + : new DefaultRevalidation($this->storage, $this->canCache); + } + + public static function getSubscribedEvents() + { + return array( + 'request.before_send' => array('onRequestBeforeSend', -255), + 'request.sent' => array('onRequestSent', 255), + 'request.error' => array('onRequestError', 0), + 'request.exception' => array('onRequestException', 0), + ); + } + + /** + * Check if a response in cache will satisfy the request before sending + * + * @param Event $event + */ + public function onRequestBeforeSend(Event $event) + { + $request = $event['request']; + $request->addHeader('Via', sprintf('%s GuzzleCache/%s', $request->getProtocolVersion(), Version::VERSION)); + + if (!$this->canCache->canCacheRequest($request)) { + switch ($request->getMethod()) { + case 'PURGE': + $this->purge($request); + $request->setResponse(new Response(200, array(), 'purged')); + break; + case 'PUT': + case 'POST': + case 'DELETE': + case 'PATCH': + if ($this->autoPurge) { + $this->purge($request); + } + } + return; + } + + if ($response = $this->storage->fetch($request)) { + $params = $request->getParams(); + $params['cache.lookup'] = true; + $response->setHeader( + 'Age', + time() - strtotime($response->getDate() ? : $response->getLastModified() ?: 'now') + ); + // Validate that the response satisfies the request + if ($this->canResponseSatisfyRequest($request, $response)) { + if (!isset($params['cache.hit'])) { + $params['cache.hit'] = true; + } + $request->setResponse($response); + } + } + } + + /** + * If possible, store a response in cache after sending + * + * @param Event $event + */ + public function onRequestSent(Event $event) + { + $request = $event['request']; + $response = $event['response']; + + if ($request->getParams()->get('cache.hit') === null && + $this->canCache->canCacheRequest($request) && + $this->canCache->canCacheResponse($response) + ) { + $this->storage->cache($request, $response); + } + + $this->addResponseHeaders($request, $response); + } + + /** + * If possible, return a cache response on an error + * + * @param Event $event + */ + public function onRequestError(Event $event) + { + $request = $event['request']; + + if (!$this->canCache->canCacheRequest($request)) { + return; + } + + if ($response = $this->storage->fetch($request)) { + $response->setHeader( + 'Age', + time() - strtotime($response->getLastModified() ? : $response->getDate() ?: 'now') + ); + + if ($this->canResponseSatisfyFailedRequest($request, $response)) { + $request->getParams()->set('cache.hit', 'error'); + $this->addResponseHeaders($request, $response); + $event['response'] = $response; + $event->stopPropagation(); + } + } + } + + /** + * If possible, set a cache response on a cURL exception + * + * @param Event $event + * + * @return null + */ + public function onRequestException(Event $event) + { + if (!$event['exception'] instanceof CurlException) { + return; + } + + $request = $event['request']; + if (!$this->canCache->canCacheRequest($request)) { + return; + } + + if ($response = $this->storage->fetch($request)) { + $response->setHeader('Age', time() - strtotime($response->getDate() ? : 'now')); + if (!$this->canResponseSatisfyFailedRequest($request, $response)) { + return; + } + $request->getParams()->set('cache.hit', 'error'); + $request->setResponse($response); + $this->addResponseHeaders($request, $response); + $event->stopPropagation(); + } + } + + /** + * Check if a cache response satisfies a request's caching constraints + * + * @param RequestInterface $request Request to validate + * @param Response $response Response to validate + * + * @return bool + */ + public function canResponseSatisfyRequest(RequestInterface $request, Response $response) + { + $responseAge = $response->calculateAge(); + $reqc = $request->getHeader('Cache-Control'); + $resc = $response->getHeader('Cache-Control'); + + // Check the request's max-age header against the age of the response + if ($reqc && $reqc->hasDirective('max-age') && + $responseAge > $reqc->getDirective('max-age')) { + return false; + } + + // Check the response's max-age header + if ($response->isFresh() === false) { + $maxStale = $reqc ? $reqc->getDirective('max-stale') : null; + if (null !== $maxStale) { + if ($maxStale !== true && $response->getFreshness() < (-1 * $maxStale)) { + return false; + } + } elseif ($resc && $resc->hasDirective('max-age') + && $responseAge > $resc->getDirective('max-age') + ) { + return false; + } + } + + if ($this->revalidation->shouldRevalidate($request, $response)) { + try { + return $this->revalidation->revalidate($request, $response); + } catch (CurlException $e) { + $request->getParams()->set('cache.hit', 'error'); + return $this->canResponseSatisfyFailedRequest($request, $response); + } + } + + return true; + } + + /** + * Check if a cache response satisfies a failed request's caching constraints + * + * @param RequestInterface $request Request to validate + * @param Response $response Response to validate + * + * @return bool + */ + public function canResponseSatisfyFailedRequest(RequestInterface $request, Response $response) + { + $reqc = $request->getHeader('Cache-Control'); + $resc = $response->getHeader('Cache-Control'); + $requestStaleIfError = $reqc ? $reqc->getDirective('stale-if-error') : null; + $responseStaleIfError = $resc ? $resc->getDirective('stale-if-error') : null; + + if (!$requestStaleIfError && !$responseStaleIfError) { + return false; + } + + if (is_numeric($requestStaleIfError) && $response->getAge() - $response->getMaxAge() > $requestStaleIfError) { + return false; + } + + if (is_numeric($responseStaleIfError) && $response->getAge() - $response->getMaxAge() > $responseStaleIfError) { + return false; + } + + return true; + } + + /** + * Purge all cache entries for a given URL + * + * @param string $url URL to purge + */ + public function purge($url) + { + // BC compatibility with previous version that accepted a Request object + $url = $url instanceof RequestInterface ? $url->getUrl() : $url; + $this->storage->purge($url); + } + + /** + * Add the plugin's headers to a response + * + * @param RequestInterface $request Request + * @param Response $response Response to add headers to + */ + protected function addResponseHeaders(RequestInterface $request, Response $response) + { + $params = $request->getParams(); + $response->setHeader('Via', sprintf('%s GuzzleCache/%s', $request->getProtocolVersion(), Version::VERSION)); + + $lookup = ($params['cache.lookup'] === true ? 'HIT' : 'MISS') . ' from GuzzleCache'; + if ($header = $response->getHeader('X-Cache-Lookup')) { + // Don't add duplicates + $values = $header->toArray(); + $values[] = $lookup; + $response->setHeader('X-Cache-Lookup', array_unique($values)); + } else { + $response->setHeader('X-Cache-Lookup', $lookup); + } + + if ($params['cache.hit'] === true) { + $xcache = 'HIT from GuzzleCache'; + } elseif ($params['cache.hit'] == 'error') { + $xcache = 'HIT_ERROR from GuzzleCache'; + } else { + $xcache = 'MISS from GuzzleCache'; + } + + if ($header = $response->getHeader('X-Cache')) { + // Don't add duplicates + $values = $header->toArray(); + $values[] = $xcache; + $response->setHeader('X-Cache', array_unique($values)); + } else { + $response->setHeader('X-Cache', $xcache); + } + + if ($response->isFresh() === false) { + $response->addHeader('Warning', sprintf('110 GuzzleCache/%s "Response is stale"', Version::VERSION)); + if ($params['cache.hit'] === 'error') { + $response->addHeader('Warning', sprintf('111 GuzzleCache/%s "Revalidation failed"', Version::VERSION)); + } + } + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Plugin/Cache/CacheStorageInterface.php b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Plugin/Cache/CacheStorageInterface.php new file mode 100644 index 0000000000..f3d9154584 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Plugin/Cache/CacheStorageInterface.php @@ -0,0 +1,43 @@ +requestCallback = $requestCallback; + $this->responseCallback = $responseCallback; + } + + public function canCacheRequest(RequestInterface $request) + { + return $this->requestCallback + ? call_user_func($this->requestCallback, $request) + : parent::canCache($request); + } + + public function canCacheResponse(Response $response) + { + return $this->responseCallback + ? call_user_func($this->responseCallback, $response) + : parent::canCacheResponse($response); + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Plugin/Cache/CanCacheStrategyInterface.php b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Plugin/Cache/CanCacheStrategyInterface.php new file mode 100644 index 0000000000..6e01a8e74a --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Plugin/Cache/CanCacheStrategyInterface.php @@ -0,0 +1,30 @@ +getParams()->get(self::CACHE_KEY); + + if (!$key) { + + $cloned = clone $request; + $cloned->removeHeader('Cache-Control'); + + // Check to see how and if the key should be filtered + foreach (explode(';', $request->getParams()->get(self::CACHE_KEY_FILTER)) as $part) { + $pieces = array_map('trim', explode('=', $part)); + if (isset($pieces[1])) { + foreach (array_map('trim', explode(',', $pieces[1])) as $remove) { + if ($pieces[0] == 'header') { + $cloned->removeHeader($remove); + } elseif ($pieces[0] == 'query') { + $cloned->getQuery()->remove($remove); + } + } + } + } + + $raw = (string) $cloned; + $key = 'GZ' . md5($raw); + $request->getParams()->set(self::CACHE_KEY, $key)->set(self::CACHE_KEY_RAW, $raw); + } + + return $key; + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Plugin/Cache/DefaultCacheStorage.php b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Plugin/Cache/DefaultCacheStorage.php new file mode 100644 index 0000000000..555c9b79c7 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Plugin/Cache/DefaultCacheStorage.php @@ -0,0 +1,251 @@ +cache = CacheAdapterFactory::fromCache($cache); + $this->defaultTtl = $defaultTtl; + $this->keyPrefix = $keyPrefix; + } + + public function cache(RequestInterface $request, Response $response) + { + $currentTime = time(); + $ttl = $request->getParams()->get('cache.override_ttl') ?: $response->getMaxAge() ?: $this->defaultTtl; + + if ($cacheControl = $response->getHeader('Cache-Control')) { + $stale = $cacheControl->getDirective('stale-if-error'); + $ttl += $stale == true ? $ttl : $stale; + } + + // Determine which manifest key should be used + $key = $this->getCacheKey($request); + $persistedRequest = $this->persistHeaders($request); + $entries = array(); + + if ($manifest = $this->cache->fetch($key)) { + // Determine which cache entries should still be in the cache + $vary = $response->getVary(); + foreach (unserialize($manifest) as $entry) { + // Check if the entry is expired + if ($entry[4] < $currentTime) { + continue; + } + $entry[1]['vary'] = isset($entry[1]['vary']) ? $entry[1]['vary'] : ''; + if ($vary != $entry[1]['vary'] || !$this->requestsMatch($vary, $entry[0], $persistedRequest)) { + $entries[] = $entry; + } + } + } + + // Persist the response body if needed + $bodyDigest = null; + if ($response->getBody() && $response->getBody()->getContentLength() > 0) { + $bodyDigest = $this->getBodyKey($request->getUrl(), $response->getBody()); + $this->cache->save($bodyDigest, (string) $response->getBody(), $ttl); + } + + array_unshift($entries, array( + $persistedRequest, + $this->persistHeaders($response), + $response->getStatusCode(), + $bodyDigest, + $currentTime + $ttl + )); + + $this->cache->save($key, serialize($entries)); + } + + public function delete(RequestInterface $request) + { + $key = $this->getCacheKey($request); + if ($entries = $this->cache->fetch($key)) { + // Delete each cached body + foreach (unserialize($entries) as $entry) { + if ($entry[3]) { + $this->cache->delete($entry[3]); + } + } + $this->cache->delete($key); + } + } + + public function purge($url) + { + foreach (array('GET', 'HEAD', 'POST', 'PUT', 'DELETE') as $method) { + $this->delete(new Request($method, $url)); + } + } + + public function fetch(RequestInterface $request) + { + $key = $this->getCacheKey($request); + if (!($entries = $this->cache->fetch($key))) { + return null; + } + + $match = null; + $headers = $this->persistHeaders($request); + $entries = unserialize($entries); + foreach ($entries as $index => $entry) { + if ($this->requestsMatch(isset($entry[1]['vary']) ? $entry[1]['vary'] : '', $headers, $entry[0])) { + $match = $entry; + break; + } + } + + if (!$match) { + return null; + } + + // Ensure that the response is not expired + $response = null; + if ($match[4] < time()) { + $response = -1; + } else { + $response = new Response($match[2], $match[1]); + if ($match[3]) { + if ($body = $this->cache->fetch($match[3])) { + $response->setBody($body); + } else { + // The response is not valid because the body was somehow deleted + $response = -1; + } + } + } + + if ($response === -1) { + // Remove the entry from the metadata and update the cache + unset($entries[$index]); + if ($entries) { + $this->cache->save($key, serialize($entries)); + } else { + $this->cache->delete($key); + } + return null; + } + + return $response; + } + + /** + * Hash a request URL into a string that returns cache metadata + * + * @param RequestInterface $request + * + * @return string + */ + protected function getCacheKey(RequestInterface $request) + { + // Allow cache.key_filter to trim down the URL cache key by removing generate query string values (e.g. auth) + if ($filter = $request->getParams()->get('cache.key_filter')) { + $url = $request->getUrl(true); + foreach (explode(',', $filter) as $remove) { + $url->getQuery()->remove(trim($remove)); + } + } else { + $url = $request->getUrl(); + } + + return $this->keyPrefix . md5($request->getMethod() . ' ' . $url); + } + + /** + * Create a cache key for a response's body + * + * @param string $url URL of the entry + * @param EntityBodyInterface $body Response body + * + * @return string + */ + protected function getBodyKey($url, EntityBodyInterface $body) + { + return $this->keyPrefix . md5($url) . $body->getContentMd5(); + } + + /** + * Determines whether two Request HTTP header sets are non-varying + * + * @param string $vary Response vary header + * @param array $r1 HTTP header array + * @param array $r2 HTTP header array + * + * @return bool + */ + private function requestsMatch($vary, $r1, $r2) + { + if ($vary) { + foreach (explode(',', $vary) as $header) { + $key = trim(strtolower($header)); + $v1 = isset($r1[$key]) ? $r1[$key] : null; + $v2 = isset($r2[$key]) ? $r2[$key] : null; + if ($v1 !== $v2) { + return false; + } + } + } + + return true; + } + + /** + * Creates an array of cacheable and normalized message headers + * + * @param MessageInterface $message + * + * @return array + */ + private function persistHeaders(MessageInterface $message) + { + // Headers are excluded from the caching (see RFC 2616:13.5.1) + static $noCache = array( + 'age' => true, + 'connection' => true, + 'keep-alive' => true, + 'proxy-authenticate' => true, + 'proxy-authorization' => true, + 'te' => true, + 'trailers' => true, + 'transfer-encoding' => true, + 'upgrade' => true, + 'set-cookie' => true, + 'set-cookie2' => true + ); + + // Clone the response to not destroy any necessary headers when caching + $headers = $message->getHeaders()->getAll(); + $headers = array_diff_key($headers, $noCache); + // Cast the headers to a string + $headers = array_map(function ($h) { return (string) $h; }, $headers); + + return $headers; + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Plugin/Cache/DefaultCanCacheStrategy.php b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Plugin/Cache/DefaultCanCacheStrategy.php new file mode 100644 index 0000000000..3ca1fbf19d --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Plugin/Cache/DefaultCanCacheStrategy.php @@ -0,0 +1,32 @@ +getMethod() != RequestInterface::GET && $request->getMethod() != RequestInterface::HEAD) { + return false; + } + + // Never cache requests when using no-store + if ($request->hasHeader('Cache-Control') && $request->getHeader('Cache-Control')->hasDirective('no-store')) { + return false; + } + + return true; + } + + public function canCacheResponse(Response $response) + { + return $response->isSuccessful() && $response->canCache(); + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Plugin/Cache/DefaultRevalidation.php b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Plugin/Cache/DefaultRevalidation.php new file mode 100644 index 0000000000..1bbaa1ad0f --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Plugin/Cache/DefaultRevalidation.php @@ -0,0 +1,172 @@ +storage = $cache; + $this->canCache = $canCache ?: new DefaultCanCacheStrategy(); + } + + public function revalidate(RequestInterface $request, Response $response) + { + try { + $revalidate = $this->createRevalidationRequest($request, $response); + $validateResponse = $revalidate->send(); + if ($validateResponse->getStatusCode() == 200) { + return $this->handle200Response($request, $validateResponse); + } elseif ($validateResponse->getStatusCode() == 304) { + return $this->handle304Response($request, $validateResponse, $response); + } + } catch (BadResponseException $e) { + $this->handleBadResponse($e); + } + + // Other exceptions encountered in the revalidation request are ignored + // in hopes that sending a request to the origin server will fix it + return false; + } + + public function shouldRevalidate(RequestInterface $request, Response $response) + { + if ($request->getMethod() != RequestInterface::GET) { + return false; + } + + $reqCache = $request->getHeader('Cache-Control'); + $resCache = $response->getHeader('Cache-Control'); + + $revalidate = $request->getHeader('Pragma') == 'no-cache' || + ($reqCache && ($reqCache->hasDirective('no-cache') || $reqCache->hasDirective('must-revalidate'))) || + ($resCache && ($resCache->hasDirective('no-cache') || $resCache->hasDirective('must-revalidate'))); + + // Use the strong ETag validator if available and the response contains no Cache-Control directive + if (!$revalidate && !$reqCache && $response->hasHeader('ETag')) { + $revalidate = true; + } + + return $revalidate; + } + + /** + * Handles a bad response when attempting to revalidate + * + * @param BadResponseException $e Exception encountered + * + * @throws BadResponseException + */ + protected function handleBadResponse(BadResponseException $e) + { + // 404 errors mean the resource no longer exists, so remove from + // cache, and prevent an additional request by throwing the exception + if ($e->getResponse()->getStatusCode() == 404) { + $this->storage->delete($e->getRequest()); + throw $e; + } + } + + /** + * Creates a request to use for revalidation + * + * @param RequestInterface $request Request + * @param Response $response Response to revalidate + * + * @return RequestInterface returns a revalidation request + */ + protected function createRevalidationRequest(RequestInterface $request, Response $response) + { + $revalidate = clone $request; + $revalidate->removeHeader('Pragma') + ->removeHeader('Cache-Control') + ->setHeader('If-Modified-Since', $response->getLastModified() ?: $response->getDate()); + + if ($response->getEtag()) { + $revalidate->setHeader('If-None-Match', '"' . $response->getEtag() . '"'); + } + + // Remove any cache plugins that might be on the request to prevent infinite recursive revalidations + $dispatcher = $revalidate->getEventDispatcher(); + foreach ($dispatcher->getListeners() as $eventName => $listeners) { + foreach ($listeners as $listener) { + if ($listener[0] instanceof CachePlugin) { + $dispatcher->removeListener($eventName, $listener); + } + } + } + + return $revalidate; + } + + /** + * Handles a 200 response response from revalidating. The server does not support validation, so use this response. + * + * @param RequestInterface $request Request that was sent + * @param Response $validateResponse Response received + * + * @return bool Returns true if valid, false if invalid + */ + protected function handle200Response(RequestInterface $request, Response $validateResponse) + { + $request->setResponse($validateResponse); + if ($this->canCache->canCacheResponse($validateResponse)) { + $this->storage->cache($request, $validateResponse); + } + + return false; + } + + /** + * Handle a 304 response and ensure that it is still valid + * + * @param RequestInterface $request Request that was sent + * @param Response $validateResponse Response received + * @param Response $response Original cached response + * + * @return bool Returns true if valid, false if invalid + */ + protected function handle304Response(RequestInterface $request, Response $validateResponse, Response $response) + { + static $replaceHeaders = array('Date', 'Expires', 'Cache-Control', 'ETag', 'Last-Modified'); + + // Make sure that this response has the same ETag + if ($validateResponse->getEtag() != $response->getEtag()) { + return false; + } + + // Replace cached headers with any of these headers from the + // origin server that might be more up to date + $modified = false; + foreach ($replaceHeaders as $name) { + if ($validateResponse->hasHeader($name)) { + $modified = true; + $response->setHeader($name, $validateResponse->getHeader($name)); + } + } + + // Store the updated response in cache + if ($modified && $this->canCache->canCacheResponse($response)) { + $this->storage->cache($request, $response); + } + + return true; + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Plugin/Cache/DenyRevalidation.php b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Plugin/Cache/DenyRevalidation.php new file mode 100644 index 0000000000..88b86f3ca1 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Plugin/Cache/DenyRevalidation.php @@ -0,0 +1,19 @@ + '', + 'value' => '', + 'domain' => '', + 'path' => '/', + 'expires' => null, + 'max_age' => 0, + 'comment' => null, + 'comment_url' => null, + 'port' => array(), + 'version' => null, + 'secure' => false, + 'discard' => false, + 'http_only' => false + ); + + $this->data = array_merge($defaults, $data); + // Extract the expires value and turn it into a UNIX timestamp if needed + if (!$this->getExpires() && $this->getMaxAge()) { + // Calculate the expires date + $this->setExpires(time() + (int) $this->getMaxAge()); + } elseif ($this->getExpires() && !is_numeric($this->getExpires())) { + $this->setExpires(strtotime($this->getExpires())); + } + } + + /** + * Get the cookie as an array + * + * @return array + */ + public function toArray() + { + return $this->data; + } + + /** + * Get the cookie name + * + * @return string + */ + public function getName() + { + return $this->data['name']; + } + + /** + * Set the cookie name + * + * @param string $name Cookie name + * + * @return Cookie + */ + public function setName($name) + { + return $this->setData('name', $name); + } + + /** + * Get the cookie value + * + * @return string + */ + public function getValue() + { + return $this->data['value']; + } + + /** + * Set the cookie value + * + * @param string $value Cookie value + * + * @return Cookie + */ + public function setValue($value) + { + return $this->setData('value', $value); + } + + /** + * Get the domain + * + * @return string|null + */ + public function getDomain() + { + return $this->data['domain']; + } + + /** + * Set the domain of the cookie + * + * @param string $domain + * + * @return Cookie + */ + public function setDomain($domain) + { + return $this->setData('domain', $domain); + } + + /** + * Get the path + * + * @return string + */ + public function getPath() + { + return $this->data['path']; + } + + /** + * Set the path of the cookie + * + * @param string $path Path of the cookie + * + * @return Cookie + */ + public function setPath($path) + { + return $this->setData('path', $path); + } + + /** + * Maximum lifetime of the cookie in seconds + * + * @return int|null + */ + public function getMaxAge() + { + return $this->data['max_age']; + } + + /** + * Set the max-age of the cookie + * + * @param int $maxAge Max age of the cookie in seconds + * + * @return Cookie + */ + public function setMaxAge($maxAge) + { + return $this->setData('max_age', $maxAge); + } + + /** + * The UNIX timestamp when the cookie expires + * + * @return mixed + */ + public function getExpires() + { + return $this->data['expires']; + } + + /** + * Set the unix timestamp for which the cookie will expire + * + * @param int $timestamp Unix timestamp + * + * @return Cookie + */ + public function setExpires($timestamp) + { + return $this->setData('expires', $timestamp); + } + + /** + * Version of the cookie specification. RFC 2965 is 1 + * + * @return mixed + */ + public function getVersion() + { + return $this->data['version']; + } + + /** + * Set the cookie version + * + * @param string|int $version Version to set + * + * @return Cookie + */ + public function setVersion($version) + { + return $this->setData('version', $version); + } + + /** + * Get whether or not this is a secure cookie + * + * @return null|bool + */ + public function getSecure() + { + return $this->data['secure']; + } + + /** + * Set whether or not the cookie is secure + * + * @param bool $secure Set to true or false if secure + * + * @return Cookie + */ + public function setSecure($secure) + { + return $this->setData('secure', (bool) $secure); + } + + /** + * Get whether or not this is a session cookie + * + * @return null|bool + */ + public function getDiscard() + { + return $this->data['discard']; + } + + /** + * Set whether or not this is a session cookie + * + * @param bool $discard Set to true or false if this is a session cookie + * + * @return Cookie + */ + public function setDiscard($discard) + { + return $this->setData('discard', $discard); + } + + /** + * Get the comment + * + * @return string|null + */ + public function getComment() + { + return $this->data['comment']; + } + + /** + * Set the comment of the cookie + * + * @param string $comment Cookie comment + * + * @return Cookie + */ + public function setComment($comment) + { + return $this->setData('comment', $comment); + } + + /** + * Get the comment URL of the cookie + * + * @return string|null + */ + public function getCommentUrl() + { + return $this->data['comment_url']; + } + + /** + * Set the comment URL of the cookie + * + * @param string $commentUrl Cookie comment URL for more information + * + * @return Cookie + */ + public function setCommentUrl($commentUrl) + { + return $this->setData('comment_url', $commentUrl); + } + + /** + * Get an array of acceptable ports this cookie can be used with + * + * @return array + */ + public function getPorts() + { + return $this->data['port']; + } + + /** + * Set a list of acceptable ports this cookie can be used with + * + * @param array $ports Array of acceptable ports + * + * @return Cookie + */ + public function setPorts(array $ports) + { + return $this->setData('port', $ports); + } + + /** + * Get whether or not this is an HTTP only cookie + * + * @return bool + */ + public function getHttpOnly() + { + return $this->data['http_only']; + } + + /** + * Set whether or not this is an HTTP only cookie + * + * @param bool $httpOnly Set to true or false if this is HTTP only + * + * @return Cookie + */ + public function setHttpOnly($httpOnly) + { + return $this->setData('http_only', $httpOnly); + } + + /** + * Get an array of extra cookie data + * + * @return array + */ + public function getAttributes() + { + return $this->data['data']; + } + + /** + * Get a specific data point from the extra cookie data + * + * @param string $name Name of the data point to retrieve + * + * @return null|string + */ + public function getAttribute($name) + { + return array_key_exists($name, $this->data['data']) ? $this->data['data'][$name] : null; + } + + /** + * Set a cookie data attribute + * + * @param string $name Name of the attribute to set + * @param string $value Value to set + * + * @return Cookie + */ + public function setAttribute($name, $value) + { + $this->data['data'][$name] = $value; + + return $this; + } + + /** + * Check if the cookie matches a path value + * + * @param string $path Path to check against + * + * @return bool + */ + public function matchesPath($path) + { + return !$this->getPath() || 0 === stripos($path, $this->getPath()); + } + + /** + * Check if the cookie matches a domain value + * + * @param string $domain Domain to check against + * + * @return bool + */ + public function matchesDomain($domain) + { + $cookieDomain = $this->getDomain(); + + // Domain not set or exact match. + if (!$cookieDomain || !strcasecmp($domain, $cookieDomain)) { + return true; + } + + // . prefix match. + if (strpos($cookieDomain, '.') === 0) { + $realDomain = substr($cookieDomain, 1); + + // Root domains don't match except for .local. + if (!substr_count($realDomain, '.') && strcasecmp($realDomain, 'local')) { + return false; + } + + if (substr($domain, -strlen($realDomain)) === $realDomain) { + // Match exact or 1 deep subdomain. + return !strcasecmp($domain, $realDomain) || + substr_count(substr($domain, 0, -strlen($realDomain)), '.') === 1; + } + } + + return false; + } + + /** + * Check if the cookie is compatible with a specific port + * + * @param int $port Port to check + * + * @return bool + */ + public function matchesPort($port) + { + return count($this->getPorts()) == 0 || in_array($port, $this->getPorts()); + } + + /** + * Check if the cookie is expired + * + * @return bool + */ + public function isExpired() + { + return $this->getExpires() && time() > $this->getExpires(); + } + + /** + * Check if the cookie is valid according to RFC 6265 + * + * @return bool|string Returns true if valid or an error message if invalid + */ + public function validate() + { + // Names must not be empty, but can be 0 + $name = $this->getName(); + if (empty($name) && !is_numeric($name)) { + return 'The cookie name must not be empty'; + } + + // Check if any of the invalid characters are present in the cookie name + if (strpbrk($name, self::getInvalidCharacters()) !== false) { + return 'The cookie name must not contain invalid characters: ' . $name; + } + + // Value must not be empty, but can be 0 + $value = $this->getValue(); + if (empty($value) && !is_numeric($value)) { + return 'The cookie value must not be empty'; + } + + // Domains must not be empty, but can be 0 + // A "0" is not a valid internet domain, but may be used as server name in a private network + $domain = $this->getDomain(); + if (empty($domain) && !is_numeric($domain)) { + return 'The cookie domain must not be empty'; + } + + return true; + } + + /** + * Set a value and return the cookie object + * + * @param string $key Key to set + * @param string $value Value to set + * + * @return Cookie + */ + private function setData($key, $value) + { + $this->data[$key] = $value; + + return $this; + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Plugin/Cookie/CookieJar/ArrayCookieJar.php b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Plugin/Cookie/CookieJar/ArrayCookieJar.php new file mode 100644 index 0000000000..68d5be7e63 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Plugin/Cookie/CookieJar/ArrayCookieJar.php @@ -0,0 +1,222 @@ +strictMode = $strictMode; + } + + /** + * Enable or disable strict mode on the cookie jar + * + * @param bool $strictMode Set to true to throw exceptions when invalid cookies are added. False to ignore them. + * + * @return self + */ + public function setStrictMode($strictMode) + { + $this->strictMode = $strictMode; + } + + public function remove($domain = null, $path = null, $name = null) + { + $cookies = $this->all($domain, $path, $name, false, false); + $this->cookies = array_filter($this->cookies, function (Cookie $cookie) use ($cookies) { + return !in_array($cookie, $cookies, true); + }); + + return $this; + } + + public function removeTemporary() + { + $this->cookies = array_filter($this->cookies, function (Cookie $cookie) { + return !$cookie->getDiscard() && $cookie->getExpires(); + }); + + return $this; + } + + public function removeExpired() + { + $currentTime = time(); + $this->cookies = array_filter($this->cookies, function (Cookie $cookie) use ($currentTime) { + return !$cookie->getExpires() || $currentTime < $cookie->getExpires(); + }); + + return $this; + } + + public function all($domain = null, $path = null, $name = null, $skipDiscardable = false, $skipExpired = true) + { + return array_values(array_filter($this->cookies, function (Cookie $cookie) use ( + $domain, + $path, + $name, + $skipDiscardable, + $skipExpired + ) { + return false === (($name && $cookie->getName() != $name) || + ($skipExpired && $cookie->isExpired()) || + ($skipDiscardable && ($cookie->getDiscard() || !$cookie->getExpires())) || + ($path && !$cookie->matchesPath($path)) || + ($domain && !$cookie->matchesDomain($domain))); + })); + } + + public function add(Cookie $cookie) + { + // Only allow cookies with set and valid domain, name, value + $result = $cookie->validate(); + if ($result !== true) { + if ($this->strictMode) { + throw new InvalidCookieException($result); + } else { + return false; + } + } + + // Resolve conflicts with previously set cookies + foreach ($this->cookies as $i => $c) { + + // Two cookies are identical, when their path, domain, port and name are identical + if ($c->getPath() != $cookie->getPath() || + $c->getDomain() != $cookie->getDomain() || + $c->getPorts() != $cookie->getPorts() || + $c->getName() != $cookie->getName() + ) { + continue; + } + + // The previously set cookie is a discard cookie and this one is not so allow the new cookie to be set + if (!$cookie->getDiscard() && $c->getDiscard()) { + unset($this->cookies[$i]); + continue; + } + + // If the new cookie's expiration is further into the future, then replace the old cookie + if ($cookie->getExpires() > $c->getExpires()) { + unset($this->cookies[$i]); + continue; + } + + // If the value has changed, we better change it + if ($cookie->getValue() !== $c->getValue()) { + unset($this->cookies[$i]); + continue; + } + + // The cookie exists, so no need to continue + return false; + } + + $this->cookies[] = $cookie; + + return true; + } + + /** + * Serializes the cookie cookieJar + * + * @return string + */ + public function serialize() + { + // Only serialize long term cookies and unexpired cookies + return json_encode(array_map(function (Cookie $cookie) { + return $cookie->toArray(); + }, $this->all(null, null, null, true, true))); + } + + /** + * Unserializes the cookie cookieJar + */ + public function unserialize($data) + { + $data = json_decode($data, true); + if (empty($data)) { + $this->cookies = array(); + } else { + $this->cookies = array_map(function (array $cookie) { + return new Cookie($cookie); + }, $data); + } + } + + /** + * Returns the total number of stored cookies + * + * @return int + */ + public function count() + { + return count($this->cookies); + } + + /** + * Returns an iterator + * + * @return \ArrayIterator + */ + public function getIterator() + { + return new \ArrayIterator($this->cookies); + } + + public function addCookiesFromResponse(Response $response, RequestInterface $request = null) + { + if ($cookieHeader = $response->getHeader('Set-Cookie')) { + $parser = ParserRegistry::getInstance()->getParser('cookie'); + foreach ($cookieHeader as $cookie) { + if ($parsed = $request + ? $parser->parseCookie($cookie, $request->getHost(), $request->getPath()) + : $parser->parseCookie($cookie) + ) { + // Break up cookie v2 into multiple cookies + foreach ($parsed['cookies'] as $key => $value) { + $row = $parsed; + $row['name'] = $key; + $row['value'] = $value; + unset($row['cookies']); + $this->add(new Cookie($row)); + } + } + } + } + } + + public function getMatchingCookies(RequestInterface $request) + { + // Find cookies that match this request + $cookies = $this->all($request->getHost(), $request->getPath()); + // Remove ineligible cookies + foreach ($cookies as $index => $cookie) { + if (!$cookie->matchesPort($request->getPort()) || ($cookie->getSecure() && $request->getScheme() != 'https')) { + unset($cookies[$index]); + } + }; + + return $cookies; + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Plugin/Cookie/CookieJar/CookieJarInterface.php b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Plugin/Cookie/CookieJar/CookieJarInterface.php new file mode 100644 index 0000000000..7faa7d21f5 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Plugin/Cookie/CookieJar/CookieJarInterface.php @@ -0,0 +1,85 @@ +filename = $cookieFile; + $this->load(); + } + + /** + * Saves the file when shutting down + */ + public function __destruct() + { + $this->persist(); + } + + /** + * Save the contents of the data array to the file + * + * @throws RuntimeException if the file cannot be found or created + */ + protected function persist() + { + if (false === file_put_contents($this->filename, $this->serialize())) { + // @codeCoverageIgnoreStart + throw new RuntimeException('Unable to open file ' . $this->filename); + // @codeCoverageIgnoreEnd + } + } + + /** + * Load the contents of the json formatted file into the data array and discard any unsaved state + */ + protected function load() + { + $json = file_get_contents($this->filename); + if (false === $json) { + // @codeCoverageIgnoreStart + throw new RuntimeException('Unable to open file ' . $this->filename); + // @codeCoverageIgnoreEnd + } + + $this->unserialize($json); + $this->cookies = $this->cookies ?: array(); + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Plugin/Cookie/CookiePlugin.php b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Plugin/Cookie/CookiePlugin.php new file mode 100644 index 0000000000..df3210ee12 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Plugin/Cookie/CookiePlugin.php @@ -0,0 +1,70 @@ +cookieJar = $cookieJar ?: new ArrayCookieJar(); + } + + public static function getSubscribedEvents() + { + return array( + 'request.before_send' => array('onRequestBeforeSend', 125), + 'request.sent' => array('onRequestSent', 125) + ); + } + + /** + * Get the cookie cookieJar + * + * @return CookieJarInterface + */ + public function getCookieJar() + { + return $this->cookieJar; + } + + /** + * Add cookies before a request is sent + * + * @param Event $event + */ + public function onRequestBeforeSend(Event $event) + { + $request = $event['request']; + if (!$request->getParams()->get('cookies.disable')) { + $request->removeHeader('Cookie'); + // Find cookies that match this request + foreach ($this->cookieJar->getMatchingCookies($request) as $cookie) { + $request->addCookie($cookie->getName(), $cookie->getValue()); + } + } + } + + /** + * Extract cookies from a sent request + * + * @param Event $event + */ + public function onRequestSent(Event $event) + { + $this->cookieJar->addCookiesFromResponse($event['response'], $event['request']); + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Plugin/Cookie/Exception/InvalidCookieException.php b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Plugin/Cookie/Exception/InvalidCookieException.php new file mode 100644 index 0000000000..b1fa6fd896 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Plugin/Cookie/Exception/InvalidCookieException.php @@ -0,0 +1,7 @@ +getConfig()->setPath('request.options/auth', array('user', 'pass', 'Basic|Digest'); + */ +class CurlAuthPlugin implements EventSubscriberInterface +{ + private $username; + private $password; + private $scheme; + + /** + * @param string $username HTTP basic auth username + * @param string $password Password + * @param int $scheme Curl auth scheme + */ + public function __construct($username, $password, $scheme=CURLAUTH_BASIC) + { + Version::warn(__CLASS__ . " is deprecated. Use \$client->getConfig()->setPath('request.options/auth', array('user', 'pass', 'Basic|Digest');"); + $this->username = $username; + $this->password = $password; + $this->scheme = $scheme; + } + + public static function getSubscribedEvents() + { + return array('client.create_request' => array('onRequestCreate', 255)); + } + + /** + * Add basic auth + * + * @param Event $event + */ + public function onRequestCreate(Event $event) + { + $event['request']->setAuth($this->username, $this->password, $this->scheme); + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Plugin/ErrorResponse/ErrorResponseExceptionInterface.php b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Plugin/ErrorResponse/ErrorResponseExceptionInterface.php new file mode 100644 index 0000000000..5dce8bd6ce --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Plugin/ErrorResponse/ErrorResponseExceptionInterface.php @@ -0,0 +1,22 @@ + array('onCommandBeforeSend', -1)); + } + + /** + * Adds a listener to requests before they sent from a command + * + * @param Event $event Event emitted + */ + public function onCommandBeforeSend(Event $event) + { + $command = $event['command']; + if ($operation = $command->getOperation()) { + if ($operation->getErrorResponses()) { + $request = $command->getRequest(); + $request->getEventDispatcher() + ->addListener('request.complete', $this->getErrorClosure($request, $command, $operation)); + } + } + } + + /** + * @param RequestInterface $request Request that received an error + * @param CommandInterface $command Command that created the request + * @param Operation $operation Operation that defines the request and errors + * + * @return \Closure Returns a closure + * @throws ErrorResponseException + */ + protected function getErrorClosure(RequestInterface $request, CommandInterface $command, Operation $operation) + { + return function (Event $event) use ($request, $command, $operation) { + $response = $event['response']; + foreach ($operation->getErrorResponses() as $error) { + if (!isset($error['class'])) { + continue; + } + if (isset($error['code']) && $response->getStatusCode() != $error['code']) { + continue; + } + if (isset($error['reason']) && $response->getReasonPhrase() != $error['reason']) { + continue; + } + $className = $error['class']; + $errorClassInterface = __NAMESPACE__ . '\\ErrorResponseExceptionInterface'; + if (!class_exists($className)) { + throw new ErrorResponseException("{$className} does not exist");; + } elseif (!is_subclass_of($className, $errorClassInterface)) { + throw new ErrorResponseException("{$className} must implement {$errorClassInterface}"); + } + throw $className::fromCommand($command, $response); + } + }; + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Plugin/ErrorResponse/Exception/ErrorResponseException.php b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Plugin/ErrorResponse/Exception/ErrorResponseException.php new file mode 100644 index 0000000000..1d89e40e74 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Plugin/ErrorResponse/Exception/ErrorResponseException.php @@ -0,0 +1,7 @@ + array('onRequestSent', 9999)); + } + + /** + * Convert to a string that contains all request and response headers + * + * @return string + */ + public function __toString() + { + $lines = array(); + foreach ($this->transactions as $entry) { + $response = isset($entry['response']) ? $entry['response'] : ''; + $lines[] = '> ' . trim($entry['request']) . "\n\n< " . trim($response) . "\n"; + } + + return implode("\n", $lines); + } + + /** + * Add a request to the history + * + * @param RequestInterface $request Request to add + * @param Response $response Response of the request + * + * @return HistoryPlugin + */ + public function add(RequestInterface $request, Response $response = null) + { + if (!$response && $request->getResponse()) { + $response = $request->getResponse(); + } + + $this->transactions[] = array('request' => $request, 'response' => $response); + if (count($this->transactions) > $this->getlimit()) { + array_shift($this->transactions); + } + + return $this; + } + + /** + * Set the max number of requests to store + * + * @param int $limit Limit + * + * @return HistoryPlugin + */ + public function setLimit($limit) + { + $this->limit = (int) $limit; + + return $this; + } + + /** + * Get the request limit + * + * @return int + */ + public function getLimit() + { + return $this->limit; + } + + /** + * Get all of the raw transactions in the form of an array of associative arrays containing + * 'request' and 'response' keys. + * + * @return array + */ + public function getAll() + { + return $this->transactions; + } + + /** + * Get the requests in the history + * + * @return \ArrayIterator + */ + public function getIterator() + { + // Return an iterator just like the old iteration of the HistoryPlugin for BC compatibility (use getAll()) + return new \ArrayIterator(array_map(function ($entry) { + $entry['request']->getParams()->set('actual_response', $entry['response']); + return $entry['request']; + }, $this->transactions)); + } + + /** + * Get the number of requests in the history + * + * @return int + */ + public function count() + { + return count($this->transactions); + } + + /** + * Get the last request sent + * + * @return RequestInterface + */ + public function getLastRequest() + { + $last = end($this->transactions); + + return $last['request']; + } + + /** + * Get the last response in the history + * + * @return Response|null + */ + public function getLastResponse() + { + $last = end($this->transactions); + + return isset($last['response']) ? $last['response'] : null; + } + + /** + * Clears the history + * + * @return HistoryPlugin + */ + public function clear() + { + $this->transactions = array(); + + return $this; + } + + public function onRequestSent(Event $event) + { + $this->add($event['request'], $event['response']); + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Plugin/Log/LogPlugin.php b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Plugin/Log/LogPlugin.php new file mode 100644 index 0000000000..1a8e8a00b1 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Plugin/Log/LogPlugin.php @@ -0,0 +1,162 @@ +logAdapter = $logAdapter; + $this->formatter = $formatter instanceof MessageFormatter ? $formatter : new MessageFormatter($formatter); + $this->wireBodies = $wireBodies; + } + + /** + * Get a log plugin that outputs full request, response, and curl error information to stderr + * + * @param bool $wireBodies Set to false to disable request/response body output when they use are not repeatable + * @param resource $stream Stream to write to when logging. Defaults to STDERR when it is available + * + * @return self + */ + public static function getDebugPlugin($wireBodies = true, $stream = null) + { + if ($stream === null) { + if (defined('STDERR')) { + $stream = STDERR; + } else { + $stream = fopen('php://output', 'w'); + } + } + + return new self(new ClosureLogAdapter(function ($m) use ($stream) { + fwrite($stream, $m . PHP_EOL); + }), "# Request:\n{request}\n\n# Response:\n{response}\n\n# Errors: {curl_code} {curl_error}", $wireBodies); + } + + public static function getSubscribedEvents() + { + return array( + 'curl.callback.write' => array('onCurlWrite', 255), + 'curl.callback.read' => array('onCurlRead', 255), + 'request.before_send' => array('onRequestBeforeSend', 255), + 'request.sent' => array('onRequestSent', 255) + ); + } + + /** + * Event triggered when curl data is read from a request + * + * @param Event $event + */ + public function onCurlRead(Event $event) + { + // Stream the request body to the log if the body is not repeatable + if ($wire = $event['request']->getParams()->get('request_wire')) { + $wire->write($event['read']); + } + } + + /** + * Event triggered when curl data is written to a response + * + * @param Event $event + */ + public function onCurlWrite(Event $event) + { + // Stream the response body to the log if the body is not repeatable + if ($wire = $event['request']->getParams()->get('response_wire')) { + $wire->write($event['write']); + } + } + + /** + * Called before a request is sent + * + * @param Event $event + */ + public function onRequestBeforeSend(Event $event) + { + if ($this->wireBodies) { + $request = $event['request']; + // Ensure that curl IO events are emitted + $request->getCurlOptions()->set('emit_io', true); + // We need to make special handling for content wiring and non-repeatable streams. + if ($request instanceof EntityEnclosingRequestInterface && $request->getBody() + && (!$request->getBody()->isSeekable() || !$request->getBody()->isReadable()) + ) { + // The body of the request cannot be recalled so logging the body will require us to buffer it + $request->getParams()->set('request_wire', EntityBody::factory()); + } + if (!$request->getResponseBody()->isRepeatable()) { + // The body of the response cannot be recalled so logging the body will require us to buffer it + $request->getParams()->set('response_wire', EntityBody::factory()); + } + } + } + + /** + * Triggers the actual log write when a request completes + * + * @param Event $event + */ + public function onRequestSent(Event $event) + { + $request = $event['request']; + $response = $event['response']; + $handle = $event['handle']; + + if ($wire = $request->getParams()->get('request_wire')) { + $request = clone $request; + $request->setBody($wire); + } + + if ($wire = $request->getParams()->get('response_wire')) { + $response = clone $response; + $response->setBody($wire); + } + + // Send the log message to the adapter, adding a category and host + $priority = $response && $response->isError() ? LOG_ERR : LOG_DEBUG; + $message = $this->formatter->format($request, $response, $handle); + $this->logAdapter->log($message, $priority, array( + 'request' => $request, + 'response' => $response, + 'handle' => $handle + )); + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Plugin/Md5/CommandContentMd5Plugin.php b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Plugin/Md5/CommandContentMd5Plugin.php new file mode 100644 index 0000000000..08d635cf3f --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Plugin/Md5/CommandContentMd5Plugin.php @@ -0,0 +1,55 @@ +contentMd5Param = $contentMd5Param; + $this->validateMd5Param = $validateMd5Param; + } + + public static function getSubscribedEvents() + { + return array('command.before_send' => array('onCommandBeforeSend', -255)); + } + + public function onCommandBeforeSend(Event $event) + { + $command = $event['command']; + $request = $command->getRequest(); + + // Only add an MD5 is there is a MD5 option on the operation and it has a payload + if ($request instanceof EntityEnclosingRequestInterface && $request->getBody() + && $command->getOperation()->hasParam($this->contentMd5Param)) { + // Check if an MD5 checksum value should be passed along to the request + if ($command[$this->contentMd5Param] === true) { + $request->setHeader('Content-MD5', $request->getBody()->getContentMd5(true, true)); + } + } + + // Check if MD5 validation should be used with the response + if ($command[$this->validateMd5Param] === true) { + $request->addSubscriber(new Md5ValidatorPlugin(true, false)); + } + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Plugin/Md5/Md5ValidatorPlugin.php b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Plugin/Md5/Md5ValidatorPlugin.php new file mode 100644 index 0000000000..9c70f4dcec --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Plugin/Md5/Md5ValidatorPlugin.php @@ -0,0 +1,89 @@ +contentLengthCutoff = $contentLengthCutoff; + $this->contentEncoded = $contentEncoded; + } + + public static function getSubscribedEvents() + { + return array('request.complete' => array('onRequestComplete', 255)); + } + + /** + * {@inheritdoc} + * @throws UnexpectedValueException + */ + public function onRequestComplete(Event $event) + { + $response = $event['response']; + + if (!$contentMd5 = $response->getContentMd5()) { + return; + } + + $contentEncoding = $response->getContentEncoding(); + if ($contentEncoding && !$this->contentEncoded) { + return false; + } + + // Make sure that the size of the request is under the cutoff size + if ($this->contentLengthCutoff) { + $size = $response->getContentLength() ?: $response->getBody()->getSize(); + if (!$size || $size > $this->contentLengthCutoff) { + return; + } + } + + if (!$contentEncoding) { + $hash = $response->getBody()->getContentMd5(); + } elseif ($contentEncoding == 'gzip') { + $response->getBody()->compress('zlib.deflate'); + $hash = $response->getBody()->getContentMd5(); + $response->getBody()->uncompress(); + } elseif ($contentEncoding == 'compress') { + $response->getBody()->compress('bzip2.compress'); + $hash = $response->getBody()->getContentMd5(); + $response->getBody()->uncompress(); + } else { + return; + } + + if ($contentMd5 !== $hash) { + throw new UnexpectedValueException( + "The response entity body may have been modified over the wire. The Content-MD5 " + . "received ({$contentMd5}) did not match the calculated MD5 hash ({$hash})." + ); + } + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Plugin/Mock/MockPlugin.php b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Plugin/Mock/MockPlugin.php new file mode 100644 index 0000000000..ab7833cee2 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Plugin/Mock/MockPlugin.php @@ -0,0 +1,242 @@ +readBodies = $readBodies; + $this->temporary = $temporary; + if ($items) { + foreach ($items as $item) { + if ($item instanceof \Exception) { + $this->addException($item); + } else { + $this->addResponse($item); + } + } + } + } + + public static function getSubscribedEvents() + { + // Use a number lower than the CachePlugin + return array('request.before_send' => array('onRequestBeforeSend', -999)); + } + + public static function getAllEvents() + { + return array('mock.request'); + } + + /** + * Get a mock response from a file + * + * @param string $path File to retrieve a mock response from + * + * @return Response + * @throws InvalidArgumentException if the file is not found + */ + public static function getMockFile($path) + { + if (!file_exists($path)) { + throw new InvalidArgumentException('Unable to open mock file: ' . $path); + } + + return Response::fromMessage(file_get_contents($path)); + } + + /** + * Set whether or not to consume the entity body of a request when a mock + * response is used + * + * @param bool $readBodies Set to true to read and consume entity bodies + * + * @return self + */ + public function readBodies($readBodies) + { + $this->readBodies = $readBodies; + + return $this; + } + + /** + * Returns the number of remaining mock responses + * + * @return int + */ + public function count() + { + return count($this->queue); + } + + /** + * Add a response to the end of the queue + * + * @param string|Response $response Response object or path to response file + * + * @return MockPlugin + * @throws InvalidArgumentException if a string or Response is not passed + */ + public function addResponse($response) + { + if (!($response instanceof Response)) { + if (!is_string($response)) { + throw new InvalidArgumentException('Invalid response'); + } + $response = self::getMockFile($response); + } + + $this->queue[] = $response; + + return $this; + } + + /** + * Add an exception to the end of the queue + * + * @param CurlException $e Exception to throw when the request is executed + * + * @return MockPlugin + */ + public function addException(CurlException $e) + { + $this->queue[] = $e; + + return $this; + } + + /** + * Clear the queue + * + * @return MockPlugin + */ + public function clearQueue() + { + $this->queue = array(); + + return $this; + } + + /** + * Returns an array of mock responses remaining in the queue + * + * @return array + */ + public function getQueue() + { + return $this->queue; + } + + /** + * Check if this is a temporary plugin + * + * @return bool + */ + public function isTemporary() + { + return $this->temporary; + } + + /** + * Get a response from the front of the list and add it to a request + * + * @param RequestInterface $request Request to mock + * + * @return self + * @throws CurlException When request.send is called and an exception is queued + */ + public function dequeue(RequestInterface $request) + { + $this->dispatch('mock.request', array('plugin' => $this, 'request' => $request)); + + $item = array_shift($this->queue); + if ($item instanceof Response) { + if ($this->readBodies && $request instanceof EntityEnclosingRequestInterface) { + $request->getEventDispatcher()->addListener('request.sent', $f = function (Event $event) use (&$f) { + while ($data = $event['request']->getBody()->read(8096)); + // Remove the listener after one-time use + $event['request']->getEventDispatcher()->removeListener('request.sent', $f); + }); + } + $request->setResponse($item); + } elseif ($item instanceof CurlException) { + // Emulates exceptions encountered while transferring requests + $item->setRequest($request); + $state = $request->setState(RequestInterface::STATE_ERROR, array('exception' => $item)); + // Only throw if the exception wasn't handled + if ($state == RequestInterface::STATE_ERROR) { + throw $item; + } + } + + return $this; + } + + /** + * Clear the array of received requests + */ + public function flush() + { + $this->received = array(); + } + + /** + * Get an array of requests that were mocked by this plugin + * + * @return array + */ + public function getReceivedRequests() + { + return $this->received; + } + + /** + * Called when a request is about to be sent + * + * @param Event $event + */ + public function onRequestBeforeSend(Event $event) + { + if ($this->queue) { + $request = $event['request']; + $this->received[] = $request; + // Detach the filter from the client so it's a one-time use + if ($this->temporary && count($this->queue) == 1 && $request->getClient()) { + $request->getClient()->getEventDispatcher()->removeSubscriber($this); + } + $this->dequeue($request); + } + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Plugin/Oauth/OauthPlugin.php b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Plugin/Oauth/OauthPlugin.php new file mode 100644 index 0000000000..14961a0bc8 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Plugin/Oauth/OauthPlugin.php @@ -0,0 +1,264 @@ +config = Collection::fromConfig($config, array( + 'version' => '1.0', + 'consumer_key' => 'anonymous', + 'consumer_secret' => 'anonymous', + 'signature_method' => 'HMAC-SHA1', + 'signature_callback' => function($stringToSign, $key) { + return hash_hmac('sha1', $stringToSign, $key, true); + } + ), array( + 'signature_method', 'signature_callback', 'version', + 'consumer_key', 'consumer_secret' + )); + } + + public static function getSubscribedEvents() + { + return array( + 'request.before_send' => array('onRequestBeforeSend', -1000) + ); + } + + /** + * Request before-send event handler + * + * @param Event $event Event received + * @return array + */ + public function onRequestBeforeSend(Event $event) + { + $timestamp = $this->getTimestamp($event); + $request = $event['request']; + $nonce = $this->generateNonce($request); + + $authorizationParams = array( + 'oauth_callback' => $this->config['callback'], + 'oauth_consumer_key' => $this->config['consumer_key'], + 'oauth_nonce' => $nonce, + 'oauth_signature' => $this->getSignature($request, $timestamp, $nonce), + 'oauth_signature_method' => $this->config['signature_method'], + 'oauth_timestamp' => $timestamp, + 'oauth_token' => $this->config['token'], + 'oauth_verifier' => $this->config['verifier'], + 'oauth_version' => $this->config['version'], + ); + + $request->setHeader( + 'Authorization', + $this->buildAuthorizationHeader($authorizationParams) + ); + + return $authorizationParams; + } + + /** + * Builds the Authorization header for a request + * + * @param array $authorizationParams Associative array of authorization parameters + * + * @return string + */ + private function buildAuthorizationHeader($authorizationParams) + { + $authorizationString = 'OAuth '; + foreach ($authorizationParams as $key => $val) { + if ($val) { + $authorizationString .= $key . '="' . urlencode($val) . '", '; + } + } + + return substr($authorizationString, 0, -2); + } + + /** + * Calculate signature for request + * + * @param RequestInterface $request Request to generate a signature for + * @param integer $timestamp Timestamp to use for nonce + * @param string $nonce + * + * @return string + */ + public function getSignature(RequestInterface $request, $timestamp, $nonce) + { + $string = $this->getStringToSign($request, $timestamp, $nonce); + $key = urlencode($this->config['consumer_secret']) . '&' . urlencode($this->config['token_secret']); + + return base64_encode(call_user_func($this->config['signature_callback'], $string, $key)); + } + + /** + * Calculate string to sign + * + * @param RequestInterface $request Request to generate a signature for + * @param int $timestamp Timestamp to use for nonce + * @param string $nonce + * + * @return string + */ + public function getStringToSign(RequestInterface $request, $timestamp, $nonce) + { + $params = $this->getParamsToSign($request, $timestamp, $nonce); + + // Convert booleans to strings. + $params = $this->prepareParameters($params); + + // Build signing string from combined params + $parameterString = new QueryString($params); + + $url = Url::factory($request->getUrl())->setQuery('')->setFragment(null); + + return strtoupper($request->getMethod()) . '&' + . rawurlencode($url) . '&' + . rawurlencode((string) $parameterString); + } + + /** + * Parameters sorted and filtered in order to properly sign a request + * + * @param RequestInterface $request Request to generate a signature for + * @param integer $timestamp Timestamp to use for nonce + * @param string $nonce + * + * @return array + */ + public function getParamsToSign(RequestInterface $request, $timestamp, $nonce) + { + $params = new Collection(array( + 'oauth_callback' => $this->config['callback'], + 'oauth_consumer_key' => $this->config['consumer_key'], + 'oauth_nonce' => $nonce, + 'oauth_signature_method' => $this->config['signature_method'], + 'oauth_timestamp' => $timestamp, + 'oauth_token' => $this->config['token'], + 'oauth_verifier' => $this->config['verifier'], + 'oauth_version' => $this->config['version'] + )); + + // Add query string parameters + $params->merge($request->getQuery()); + + // Add POST fields to signing string if required + if ($this->shouldPostFieldsBeSigned($request)) + { + $params->merge($request->getPostFields()); + } + + // Sort params + $params = $params->toArray(); + ksort($params); + + return $params; + } + + /** + * Decide whether the post fields should be added to the base string that Oauth signs. + * This implementation is correct. Non-conformant APIs may require that this method be + * overwritten e.g. the Flickr API incorrectly adds the post fields when the Content-Type + * is 'application/x-www-form-urlencoded' + * + * @param $request + * @return bool Whether the post fields should be signed or not + */ + public function shouldPostFieldsBeSigned($request) + { + if (!$this->config->get('disable_post_params') && + $request instanceof EntityEnclosingRequestInterface && + false !== strpos($request->getHeader('Content-Type'), 'application/x-www-form-urlencoded')) + { + return true; + } + + return false; + } + + /** + * Returns a Nonce Based on the unique id and URL. This will allow for multiple requests in parallel with the same + * exact timestamp to use separate nonce's. + * + * @param RequestInterface $request Request to generate a nonce for + * + * @return string + */ + public function generateNonce(RequestInterface $request) + { + return sha1(uniqid('', true) . $request->getUrl()); + } + + /** + * Gets timestamp from event or create new timestamp + * + * @param Event $event Event containing contextual information + * + * @return int + */ + public function getTimestamp(Event $event) + { + return $event['timestamp'] ?: time(); + } + + /** + * Convert booleans to strings, removed unset parameters, and sorts the array + * + * @param array $data Data array + * + * @return array + */ + protected function prepareParameters($data) + { + ksort($data); + foreach ($data as $key => &$value) { + switch (gettype($value)) { + case 'NULL': + unset($data[$key]); + break; + case 'array': + $data[$key] = self::prepareParameters($value); + break; + case 'boolean': + $data[$key] = $value ? 'true' : 'false'; + break; + } + } + + return $data; + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Service/AbstractConfigLoader.php b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Service/AbstractConfigLoader.php new file mode 100644 index 0000000000..cd06f5722f --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Service/AbstractConfigLoader.php @@ -0,0 +1,177 @@ + 'JSON_ERROR_NONE - No errors', + JSON_ERROR_DEPTH => 'JSON_ERROR_DEPTH - Maximum stack depth exceeded', + JSON_ERROR_STATE_MISMATCH => 'JSON_ERROR_STATE_MISMATCH - Underflow or the modes mismatch', + JSON_ERROR_CTRL_CHAR => 'JSON_ERROR_CTRL_CHAR - Unexpected control character found', + JSON_ERROR_SYNTAX => 'JSON_ERROR_SYNTAX - Syntax error, malformed JSON', + JSON_ERROR_UTF8 => 'JSON_ERROR_UTF8 - Malformed UTF-8 characters, possibly incorrectly encoded' + ); + + public function load($config, array $options = array()) + { + // Reset the array of loaded files because this is a new config + $this->loadedFiles = array(); + + if (is_string($config)) { + $config = $this->loadFile($config); + } elseif (!is_array($config)) { + throw new InvalidArgumentException('Unknown type passed to configuration loader: ' . gettype($config)); + } else { + $this->mergeIncludes($config); + } + + return $this->build($config, $options); + } + + /** + * Add an include alias to the loader + * + * @param string $filename Filename to alias (e.g. _foo) + * @param string $alias Actual file to use (e.g. /path/to/foo.json) + * + * @return self + */ + public function addAlias($filename, $alias) + { + $this->aliases[$filename] = $alias; + + return $this; + } + + /** + * Remove an alias from the loader + * + * @param string $alias Alias to remove + * + * @return self + */ + public function removeAlias($alias) + { + unset($this->aliases[$alias]); + + return $this; + } + + /** + * Perform the parsing of a config file and create the end result + * + * @param array $config Configuration data + * @param array $options Options to use when building + * + * @return mixed + */ + protected abstract function build($config, array $options); + + /** + * Load a configuration file (can load JSON or PHP files that return an array when included) + * + * @param string $filename File to load + * + * @return array + * @throws InvalidArgumentException + * @throws RuntimeException when the JSON cannot be parsed + */ + protected function loadFile($filename) + { + if (isset($this->aliases[$filename])) { + $filename = $this->aliases[$filename]; + } + + switch (pathinfo($filename, PATHINFO_EXTENSION)) { + case 'js': + case 'json': + $level = error_reporting(0); + $json = file_get_contents($filename); + error_reporting($level); + + if ($json === false) { + $err = error_get_last(); + throw new InvalidArgumentException("Unable to open {$filename}: " . $err['message']); + } + + $config = json_decode($json, true); + // Throw an exception if there was an error loading the file + if ($error = json_last_error()) { + $message = isset(self::$jsonErrors[$error]) ? self::$jsonErrors[$error] : 'Unknown error'; + throw new RuntimeException("Error loading JSON data from {$filename}: ({$error}) - {$message}"); + } + break; + case 'php': + if (!is_readable($filename)) { + throw new InvalidArgumentException("Unable to open {$filename} for reading"); + } + $config = require $filename; + if (!is_array($config)) { + throw new InvalidArgumentException('PHP files must return an array of configuration data'); + } + break; + default: + throw new InvalidArgumentException('Unknown file extension: ' . $filename); + } + + // Keep track of this file being loaded to prevent infinite recursion + $this->loadedFiles[$filename] = true; + + // Merge include files into the configuration array + $this->mergeIncludes($config, dirname($filename)); + + return $config; + } + + /** + * Merges in all include files + * + * @param array $config Config data that contains includes + * @param string $basePath Base path to use when a relative path is encountered + * + * @return array Returns the merged and included data + */ + protected function mergeIncludes(&$config, $basePath = null) + { + if (!empty($config['includes'])) { + foreach ($config['includes'] as &$path) { + // Account for relative paths + if ($path[0] != DIRECTORY_SEPARATOR && !isset($this->aliases[$path]) && $basePath) { + $path = "{$basePath}/{$path}"; + } + // Don't load the same files more than once + if (!isset($this->loadedFiles[$path])) { + $this->loadedFiles[$path] = true; + $config = $this->mergeData($this->loadFile($path), $config); + } + } + } + } + + /** + * Default implementation for merging two arrays of data (uses array_merge_recursive) + * + * @param array $a Original data + * @param array $b Data to merge into the original and overwrite existing values + * + * @return array + */ + protected function mergeData(array $a, array $b) + { + return array_merge_recursive($a, $b); + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Service/Builder/ServiceBuilder.php b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Service/Builder/ServiceBuilder.php new file mode 100644 index 0000000000..38150db4b8 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Service/Builder/ServiceBuilder.php @@ -0,0 +1,189 @@ +load($config, $globalParameters); + } + + /** + * @param array $serviceBuilderConfig Service configuration settings: + * - name: Name of the service + * - class: Client class to instantiate using a factory method + * - params: array of key value pair configuration settings for the builder + */ + public function __construct(array $serviceBuilderConfig = array()) + { + $this->builderConfig = $serviceBuilderConfig; + } + + public static function getAllEvents() + { + return array('service_builder.create_client'); + } + + public function unserialize($serialized) + { + $this->builderConfig = json_decode($serialized, true); + } + + public function serialize() + { + return json_encode($this->builderConfig); + } + + /** + * Attach a plugin to every client created by the builder + * + * @param EventSubscriberInterface $plugin Plugin to attach to each client + * + * @return self + */ + public function addGlobalPlugin(EventSubscriberInterface $plugin) + { + $this->plugins[] = $plugin; + + return $this; + } + + /** + * Get data from the service builder without triggering the building of a service + * + * @param string $name Name of the service to retrieve + * + * @return array|null + */ + public function getData($name) + { + return isset($this->builderConfig[$name]) ? $this->builderConfig[$name] : null; + } + + public function get($name, $throwAway = false) + { + if (!isset($this->builderConfig[$name])) { + + // Check to see if arbitrary data is being referenced + if (isset($this->clients[$name])) { + return $this->clients[$name]; + } + + // Check aliases and return a match if found + foreach ($this->builderConfig as $actualName => $config) { + if (isset($config['alias']) && $config['alias'] == $name) { + return $this->get($actualName, $throwAway); + } + } + throw new ServiceNotFoundException('No service is registered as ' . $name); + } + + if (!$throwAway && isset($this->clients[$name])) { + return $this->clients[$name]; + } + + $builder =& $this->builderConfig[$name]; + + // Convert references to the actual client + foreach ($builder['params'] as &$v) { + if (is_string($v) && substr($v, 0, 1) == '{' && substr($v, -1) == '}') { + $v = $this->get(trim($v, '{} ')); + } + } + + // Get the configured parameters and merge in any parameters provided for throw-away clients + $config = $builder['params']; + if (is_array($throwAway)) { + $config = $throwAway + $config; + } + + $client = $builder['class']::factory($config); + + if (!$throwAway) { + $this->clients[$name] = $client; + } + + if ($client instanceof ClientInterface) { + foreach ($this->plugins as $plugin) { + $client->addSubscriber($plugin); + } + // Dispatch an event letting listeners know a client was created + $this->dispatch('service_builder.create_client', array('client' => $client)); + } + + return $client; + } + + public function set($key, $service) + { + if (is_array($service) && isset($service['class']) && isset($service['params'])) { + $this->builderConfig[$key] = $service; + } else { + $this->clients[$key] = $service; + } + + return $this; + } + + public function offsetSet($offset, $value) + { + $this->set($offset, $value); + } + + public function offsetUnset($offset) + { + unset($this->builderConfig[$offset]); + unset($this->clients[$offset]); + } + + public function offsetExists($offset) + { + return isset($this->builderConfig[$offset]) || isset($this->clients[$offset]); + } + + public function offsetGet($offset) + { + return $this->get($offset); + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Service/Builder/ServiceBuilderInterface.php b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Service/Builder/ServiceBuilderInterface.php new file mode 100644 index 0000000000..4fc310a472 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Service/Builder/ServiceBuilderInterface.php @@ -0,0 +1,40 @@ + &$service) { + + $service['params'] = isset($service['params']) ? $service['params'] : array(); + + // Check if this client builder extends another client + if (!empty($service['extends'])) { + + // Make sure that the service it's extending has been defined + if (!isset($services[$service['extends']])) { + throw new ServiceNotFoundException( + "{$name} is trying to extend a non-existent service: {$service['extends']}" + ); + } + + $extended = &$services[$service['extends']]; + + // Use the correct class attribute + if (empty($service['class'])) { + $service['class'] = isset($extended['class']) ? $extended['class'] : ''; + } + if ($extendsParams = isset($extended['params']) ? $extended['params'] : false) { + $service['params'] = $service['params'] + $extendsParams; + } + } + + // Overwrite default values with global parameter values + if (!empty($options)) { + $service['params'] = $options + $service['params']; + } + + $service['class'] = isset($service['class']) ? $service['class'] : ''; + } + + return new $class($services); + } + + protected function mergeData(array $a, array $b) + { + $result = $b + $a; + + // Merge services using a recursive union of arrays + if (isset($a['services']) && $b['services']) { + + // Get a union of the services of the two arrays + $result['services'] = $b['services'] + $a['services']; + + // Merge each service in using a union of the two arrays + foreach ($result['services'] as $name => &$service) { + + // By default, services completely override a previously defined service unless it extends itself + if (isset($a['services'][$name]['extends']) + && isset($b['services'][$name]['extends']) + && $b['services'][$name]['extends'] == $name + ) { + $service += $a['services'][$name]; + // Use the `extends` attribute of the parent + $service['extends'] = $a['services'][$name]['extends']; + // Merge parameters using a union if both have parameters + if (isset($a['services'][$name]['params'])) { + $service['params'] += $a['services'][$name]['params']; + } + } + } + } + + return $result; + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Service/CachingConfigLoader.php b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Service/CachingConfigLoader.php new file mode 100644 index 0000000000..26f8360cc6 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Service/CachingConfigLoader.php @@ -0,0 +1,46 @@ +loader = $loader; + $this->cache = $cache; + } + + public function load($config, array $options = array()) + { + if (!is_string($config)) { + $key = false; + } else { + $key = 'loader_' . crc32($config); + if ($result = $this->cache->fetch($key)) { + return $result; + } + } + + $result = $this->loader->load($config, $options); + if ($key) { + $this->cache->save($key, $result); + } + + return $result; + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Service/Client.php b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Service/Client.php new file mode 100644 index 0000000000..944d994f77 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Service/Client.php @@ -0,0 +1,292 @@ +getCommand($method, isset($args[0]) ? $args[0] : array())->getResult(); + } + + public function getCommand($name, array $args = array()) + { + // Add global client options to the command + if ($options = $this->getConfig(self::COMMAND_PARAMS)) { + $args += $options; + } + + if (!($command = $this->getCommandFactory()->factory($name, $args))) { + throw new InvalidArgumentException("Command was not found matching {$name}"); + } + + $command->setClient($this); + $this->dispatch('client.command.create', array('client' => $this, 'command' => $command)); + + return $command; + } + + /** + * Set the command factory used to create commands by name + * + * @param CommandFactoryInterface $factory Command factory + * + * @return self + */ + public function setCommandFactory(CommandFactoryInterface $factory) + { + $this->commandFactory = $factory; + + return $this; + } + + /** + * Set the resource iterator factory associated with the client + * + * @param ResourceIteratorFactoryInterface $factory Resource iterator factory + * + * @return self + */ + public function setResourceIteratorFactory(ResourceIteratorFactoryInterface $factory) + { + $this->resourceIteratorFactory = $factory; + + return $this; + } + + public function getIterator($command, array $commandOptions = null, array $iteratorOptions = array()) + { + if (!($command instanceof CommandInterface)) { + $command = $this->getCommand($command, $commandOptions ?: array()); + } + + return $this->getResourceIteratorFactory()->build($command, $iteratorOptions); + } + + public function execute($command) + { + if ($command instanceof CommandInterface) { + $this->send($this->prepareCommand($command)); + $this->dispatch('command.after_send', array('command' => $command)); + return $command->getResult(); + } elseif (is_array($command) || $command instanceof \Traversable) { + return $this->executeMultiple($command); + } else { + throw new InvalidArgumentException('Command must be a command or array of commands'); + } + } + + public function setDescription(ServiceDescriptionInterface $service) + { + $this->serviceDescription = $service; + + // If a baseUrl was set on the description, then update the client + if ($baseUrl = $service->getBaseUrl()) { + $this->setBaseUrl($baseUrl); + } + + return $this; + } + + public function getDescription() + { + return $this->serviceDescription; + } + + /** + * Set the inflector used with the client + * + * @param InflectorInterface $inflector Inflection object + * + * @return self + */ + public function setInflector(InflectorInterface $inflector) + { + $this->inflector = $inflector; + + return $this; + } + + /** + * Get the inflector used with the client + * + * @return self + */ + public function getInflector() + { + if (!$this->inflector) { + $this->inflector = Inflector::getDefault(); + } + + return $this->inflector; + } + + /** + * Prepare a command for sending and get the RequestInterface object created by the command + * + * @param CommandInterface $command Command to prepare + * + * @return RequestInterface + */ + protected function prepareCommand(CommandInterface $command) + { + // Set the client and prepare the command + $request = $command->setClient($this)->prepare(); + // Set the state to new if the command was previously executed + $request->setState(RequestInterface::STATE_NEW); + $this->dispatch('command.before_send', array('command' => $command)); + + return $request; + } + + /** + * Execute multiple commands in parallel + * + * @param array|Traversable $commands Array of CommandInterface objects to execute + * + * @return array Returns an array of the executed commands + * @throws Exception\CommandTransferException + */ + protected function executeMultiple($commands) + { + $requests = array(); + $commandRequests = new \SplObjectStorage(); + + foreach ($commands as $command) { + $request = $this->prepareCommand($command); + $commandRequests[$request] = $command; + $requests[] = $request; + } + + try { + $this->send($requests); + foreach ($commands as $command) { + $this->dispatch('command.after_send', array('command' => $command)); + } + return $commands; + } catch (MultiTransferException $failureException) { + // Throw a CommandTransferException using the successful and failed commands + $e = CommandTransferException::fromMultiTransferException($failureException); + + // Remove failed requests from the successful requests array and add to the failures array + foreach ($failureException->getFailedRequests() as $request) { + if (isset($commandRequests[$request])) { + $e->addFailedCommand($commandRequests[$request]); + unset($commandRequests[$request]); + } + } + + // Always emit the command after_send events for successful commands + foreach ($commandRequests as $success) { + $e->addSuccessfulCommand($commandRequests[$success]); + $this->dispatch('command.after_send', array('command' => $commandRequests[$success])); + } + + throw $e; + } + } + + protected function getResourceIteratorFactory() + { + if (!$this->resourceIteratorFactory) { + // Build the default resource iterator factory if one is not set + $clientClass = get_class($this); + $prefix = substr($clientClass, 0, strrpos($clientClass, '\\')); + $this->resourceIteratorFactory = new ResourceIteratorClassFactory(array( + "{$prefix}\\Iterator", + "{$prefix}\\Model" + )); + } + + return $this->resourceIteratorFactory; + } + + /** + * Get the command factory associated with the client + * + * @return CommandFactoryInterface + */ + protected function getCommandFactory() + { + if (!$this->commandFactory) { + $this->commandFactory = CompositeFactory::getDefaultChain($this); + } + + return $this->commandFactory; + } + + /** + * @deprecated + * @codeCoverageIgnore + */ + public function enableMagicMethods($isEnabled) + { + Version::warn(__METHOD__ . ' is deprecated'); + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Service/ClientInterface.php b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Service/ClientInterface.php new file mode 100644 index 0000000000..814154f00b --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Service/ClientInterface.php @@ -0,0 +1,68 @@ +operation = $operation ?: $this->createOperation(); + foreach ($this->operation->getParams() as $name => $arg) { + $currentValue = $this[$name]; + $configValue = $arg->getValue($currentValue); + // If default or static values are set, then this should always be updated on the config object + if ($currentValue !== $configValue) { + $this[$name] = $configValue; + } + } + + $headers = $this[self::HEADERS_OPTION]; + if (!$headers instanceof Collection) { + $this[self::HEADERS_OPTION] = new Collection((array) $headers); + } + + // You can set a command.on_complete option in your parameters to set an onComplete callback + if ($onComplete = $this['command.on_complete']) { + unset($this['command.on_complete']); + $this->setOnComplete($onComplete); + } + + // Set the hidden additional parameters + if (!$this[self::HIDDEN_PARAMS]) { + $this[self::HIDDEN_PARAMS] = array( + self::HEADERS_OPTION, + self::RESPONSE_PROCESSING, + self::HIDDEN_PARAMS, + self::REQUEST_OPTIONS + ); + } + + $this->init(); + } + + /** + * Custom clone behavior + */ + public function __clone() + { + $this->request = null; + $this->result = null; + } + + /** + * Execute the command in the same manner as calling a function + * + * @return mixed Returns the result of {@see AbstractCommand::execute} + */ + public function __invoke() + { + return $this->execute(); + } + + public function getName() + { + return $this->operation->getName(); + } + + /** + * Get the API command information about the command + * + * @return OperationInterface + */ + public function getOperation() + { + return $this->operation; + } + + public function setOnComplete($callable) + { + if (!is_callable($callable)) { + throw new InvalidArgumentException('The onComplete function must be callable'); + } + + $this->onComplete = $callable; + + return $this; + } + + public function execute() + { + if (!$this->client) { + throw new CommandException('A client must be associated with the command before it can be executed.'); + } + + return $this->client->execute($this); + } + + public function getClient() + { + return $this->client; + } + + public function setClient(ClientInterface $client) + { + $this->client = $client; + + return $this; + } + + public function getRequest() + { + if (!$this->request) { + throw new CommandException('The command must be prepared before retrieving the request'); + } + + return $this->request; + } + + public function getResponse() + { + if (!$this->isExecuted()) { + $this->execute(); + } + + return $this->request->getResponse(); + } + + public function getResult() + { + if (!$this->isExecuted()) { + $this->execute(); + } + + if (null === $this->result) { + $this->process(); + // Call the onComplete method if one is set + if ($this->onComplete) { + call_user_func($this->onComplete, $this); + } + } + + return $this->result; + } + + public function setResult($result) + { + $this->result = $result; + + return $this; + } + + public function isPrepared() + { + return $this->request !== null; + } + + public function isExecuted() + { + return $this->request !== null && $this->request->getState() == 'complete'; + } + + public function prepare() + { + if (!$this->isPrepared()) { + if (!$this->client) { + throw new CommandException('A client must be associated with the command before it can be prepared.'); + } + + // If no response processing value was specified, then attempt to use the highest level of processing + if (!isset($this[self::RESPONSE_PROCESSING])) { + $this[self::RESPONSE_PROCESSING] = self::TYPE_MODEL; + } + + // Notify subscribers of the client that the command is being prepared + $this->client->dispatch('command.before_prepare', array('command' => $this)); + + // Fail on missing required arguments, and change parameters via filters + $this->validate(); + // Delegate to the subclass that implements the build method + $this->build(); + + // Add custom request headers set on the command + if ($headers = $this[self::HEADERS_OPTION]) { + foreach ($headers as $key => $value) { + $this->request->setHeader($key, $value); + } + } + + // Add any curl options to the request + if ($options = $this[Client::CURL_OPTIONS]) { + $this->request->getCurlOptions()->overwriteWith(CurlHandle::parseCurlConfig($options)); + } + + // Set a custom response body + if ($responseBody = $this[self::RESPONSE_BODY]) { + $this->request->setResponseBody($responseBody); + } + + $this->client->dispatch('command.after_prepare', array('command' => $this)); + } + + return $this->request; + } + + /** + * Set the validator used to validate and prepare command parameters and nested JSON schemas. If no validator is + * set, then the command will validate using the default {@see SchemaValidator}. + * + * @param ValidatorInterface $validator Validator used to prepare and validate properties against a JSON schema + * + * @return self + */ + public function setValidator(ValidatorInterface $validator) + { + $this->validator = $validator; + + return $this; + } + + public function getRequestHeaders() + { + return $this[self::HEADERS_OPTION]; + } + + /** + * Initialize the command (hook that can be implemented in subclasses) + */ + protected function init() {} + + /** + * Create the request object that will carry out the command + */ + abstract protected function build(); + + /** + * Hook used to create an operation for concrete commands that are not associated with a service description + * + * @return OperationInterface + */ + protected function createOperation() + { + return new Operation(array('name' => get_class($this))); + } + + /** + * Create the result of the command after the request has been completed. + * Override this method in subclasses to customize this behavior + */ + protected function process() + { + $this->result = $this[self::RESPONSE_PROCESSING] != self::TYPE_RAW + ? DefaultResponseParser::getInstance()->parse($this) + : $this->request->getResponse(); + } + + /** + * Validate and prepare the command based on the schema and rules defined by the command's Operation object + * + * @throws ValidationException when validation errors occur + */ + protected function validate() + { + // Do not perform request validation/transformation if it is disable + if ($this[self::DISABLE_VALIDATION]) { + return; + } + + $errors = array(); + $validator = $this->getValidator(); + foreach ($this->operation->getParams() as $name => $schema) { + $value = $this[$name]; + if (!$validator->validate($schema, $value)) { + $errors = array_merge($errors, $validator->getErrors()); + } elseif ($value !== $this[$name]) { + // Update the config value if it changed and no validation errors were encountered + $this->data[$name] = $value; + } + } + + // Validate additional parameters + $hidden = $this[self::HIDDEN_PARAMS]; + + if ($properties = $this->operation->getAdditionalParameters()) { + foreach ($this->toArray() as $name => $value) { + // It's only additional if it isn't defined in the schema + if (!$this->operation->hasParam($name) && !in_array($name, $hidden)) { + // Always set the name so that error messages are useful + $properties->setName($name); + if (!$validator->validate($properties, $value)) { + $errors = array_merge($errors, $validator->getErrors()); + } elseif ($value !== $this[$name]) { + $this->data[$name] = $value; + } + } + } + } + + if (!empty($errors)) { + $e = new ValidationException('Validation errors: ' . implode("\n", $errors)); + $e->setErrors($errors); + throw $e; + } + } + + /** + * Get the validator used to prepare and validate properties. If no validator has been set on the command, then + * the default {@see SchemaValidator} will be used. + * + * @return ValidatorInterface + */ + protected function getValidator() + { + if (!$this->validator) { + $this->validator = SchemaValidator::getInstance(); + } + + return $this->validator; + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Service/Command/ClosureCommand.php b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Service/Command/ClosureCommand.php new file mode 100644 index 0000000000..cb6ac40ce0 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Service/Command/ClosureCommand.php @@ -0,0 +1,41 @@ +request = $closure($this, $this->operation); + + if (!$this->request || !$this->request instanceof RequestInterface) { + throw new UnexpectedValueException('Closure command did not return a RequestInterface object'); + } + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Service/Command/CommandInterface.php b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Service/Command/CommandInterface.php new file mode 100644 index 0000000000..fbb61d2ff4 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Service/Command/CommandInterface.php @@ -0,0 +1,128 @@ +factory = $factory; + } + + /** + * Add a location visitor to the serializer + * + * @param string $location Location to associate with the visitor + * @param RequestVisitorInterface $visitor Visitor to attach + * + * @return self + */ + public function addVisitor($location, RequestVisitorInterface $visitor) + { + $this->factory->addRequestVisitor($location, $visitor); + + return $this; + } + + public function prepare(CommandInterface $command) + { + $request = $this->createRequest($command); + // Keep an array of visitors found in the operation + $foundVisitors = array(); + $operation = $command->getOperation(); + + // Add arguments to the request using the location attribute + foreach ($operation->getParams() as $name => $arg) { + /** @var $arg \Guzzle\Service\Description\Parameter */ + $location = $arg->getLocation(); + // Skip 'uri' locations because they've already been processed + if ($location && $location != 'uri') { + // Instantiate visitors as they are detected in the properties + if (!isset($foundVisitors[$location])) { + $foundVisitors[$location] = $this->factory->getRequestVisitor($location); + } + // Ensure that a value has been set for this parameter + $value = $command[$name]; + if ($value !== null) { + // Apply the parameter value with the location visitor + $foundVisitors[$location]->visit($command, $request, $arg, $value); + } + } + } + + // Serialize additional parameters + if ($additional = $operation->getAdditionalParameters()) { + if ($visitor = $this->prepareAdditionalParameters($operation, $command, $request, $additional)) { + $foundVisitors[$additional->getLocation()] = $visitor; + } + } + + // Call the after method on each visitor found in the operation + foreach ($foundVisitors as $visitor) { + $visitor->after($command, $request); + } + + return $request; + } + + /** + * Serialize additional parameters + * + * @param OperationInterface $operation Operation that owns the command + * @param CommandInterface $command Command to prepare + * @param RequestInterface $request Request to serialize + * @param Parameter $additional Additional parameters + * + * @return null|RequestVisitorInterface + */ + protected function prepareAdditionalParameters( + OperationInterface $operation, + CommandInterface $command, + RequestInterface $request, + Parameter $additional + ) { + if (!($location = $additional->getLocation())) { + return; + } + + $visitor = $this->factory->getRequestVisitor($location); + $hidden = $command[$command::HIDDEN_PARAMS]; + + foreach ($command->toArray() as $key => $value) { + // Ignore values that are null or built-in command options + if ($value !== null + && !in_array($key, $hidden) + && !$operation->hasParam($key) + ) { + $additional->setName($key); + $visitor->visit($command, $request, $additional, $value); + } + } + + return $visitor; + } + + /** + * Create a request for the command and operation + * + * @param CommandInterface $command Command to create a request for + * + * @return RequestInterface + */ + protected function createRequest(CommandInterface $command) + { + $operation = $command->getOperation(); + $client = $command->getClient(); + $options = $command[AbstractCommand::REQUEST_OPTIONS] ?: array(); + + // If the command does not specify a template, then assume the base URL of the client + if (!($uri = $operation->getUri())) { + return $client->createRequest($operation->getHttpMethod(), $client->getBaseUrl(), null, null, $options); + } + + // Get the path values and use the client config settings + $variables = array(); + foreach ($operation->getParams() as $name => $arg) { + if ($arg->getLocation() == 'uri') { + if (isset($command[$name])) { + $variables[$name] = $arg->filter($command[$name]); + if (!is_array($variables[$name])) { + $variables[$name] = (string) $variables[$name]; + } + } + } + } + + return $client->createRequest($operation->getHttpMethod(), array($uri, $variables), null, null, $options); + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Service/Command/DefaultResponseParser.php b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Service/Command/DefaultResponseParser.php new file mode 100644 index 0000000000..da26caff9c --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Service/Command/DefaultResponseParser.php @@ -0,0 +1,55 @@ +getRequest()->getResponse(); + + // Account for hard coded content-type values specified in service descriptions + if ($contentType = $command['command.expects']) { + $response->setHeader('Content-Type', $contentType); + } else { + $contentType = (string) $response->getHeader('Content-Type'); + } + + return $this->handleParsing($command, $response, $contentType); + } + + protected function handleParsing(CommandInterface $command, Response $response, $contentType) + { + $result = $response; + if ($result->getBody()) { + if (stripos($contentType, 'json') !== false) { + $result = $result->json(); + } if (stripos($contentType, 'xml') !== false) { + $result = $result->xml(); + } + } + + return $result; + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Service/Command/Factory/AliasFactory.php b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Service/Command/Factory/AliasFactory.php new file mode 100644 index 0000000000..1c5ce0741e --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Service/Command/Factory/AliasFactory.php @@ -0,0 +1,39 @@ +client = $client; + $this->aliases = $aliases; + } + + public function factory($name, array $args = array()) + { + if (isset($this->aliases[$name])) { + try { + return $this->client->getCommand($this->aliases[$name], $args); + } catch (InvalidArgumentException $e) { + return null; + } + } + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Service/Command/Factory/CompositeFactory.php b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Service/Command/Factory/CompositeFactory.php new file mode 100644 index 0000000000..8c46983d65 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Service/Command/Factory/CompositeFactory.php @@ -0,0 +1,154 @@ +getDescription()) { + $factories[] = new ServiceDescriptionFactory($description); + } + $factories[] = new ConcreteClassFactory($client); + + return new self($factories); + } + + /** + * @param array $factories Array of command factories + */ + public function __construct(array $factories = array()) + { + $this->factories = $factories; + } + + /** + * Add a command factory to the chain + * + * @param FactoryInterface $factory Factory to add + * @param string|FactoryInterface $before Insert the new command factory before a command factory class or object + * matching a class name. + * @return CompositeFactory + */ + public function add(FactoryInterface $factory, $before = null) + { + $pos = null; + + if ($before) { + foreach ($this->factories as $i => $f) { + if ($before instanceof FactoryInterface) { + if ($f === $before) { + $pos = $i; + break; + } + } elseif (is_string($before)) { + if ($f instanceof $before) { + $pos = $i; + break; + } + } + } + } + + if ($pos === null) { + $this->factories[] = $factory; + } else { + array_splice($this->factories, $i, 0, array($factory)); + } + + return $this; + } + + /** + * Check if the chain contains a specific command factory + * + * @param FactoryInterface|string $factory Factory to check + * + * @return bool + */ + public function has($factory) + { + return (bool) $this->find($factory); + } + + /** + * Remove a specific command factory from the chain + * + * @param string|FactoryInterface $factory Factory to remove by name or instance + * + * @return CompositeFactory + */ + public function remove($factory = null) + { + if (!($factory instanceof FactoryInterface)) { + $factory = $this->find($factory); + } + + $this->factories = array_values(array_filter($this->factories, function($f) use ($factory) { + return $f !== $factory; + })); + + return $this; + } + + /** + * Get a command factory by class name + * + * @param string|FactoryInterface $factory Command factory class or instance + * + * @return null|FactoryInterface + */ + public function find($factory) + { + foreach ($this->factories as $f) { + if ($factory === $f || (is_string($factory) && $f instanceof $factory)) { + return $f; + } + } + } + + /** + * Create a command using the associated command factories + * + * @param string $name Name of the command + * @param array $args Command arguments + * + * @return CommandInterface + */ + public function factory($name, array $args = array()) + { + foreach ($this->factories as $factory) { + $command = $factory->factory($name, $args); + if ($command) { + return $command; + } + } + } + + public function count() + { + return count($this->factories); + } + + public function getIterator() + { + return new \ArrayIterator($this->factories); + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Service/Command/Factory/ConcreteClassFactory.php b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Service/Command/Factory/ConcreteClassFactory.php new file mode 100644 index 0000000000..0e93deaa03 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Service/Command/Factory/ConcreteClassFactory.php @@ -0,0 +1,47 @@ +client = $client; + $this->inflector = $inflector ?: Inflector::getDefault(); + } + + public function factory($name, array $args = array()) + { + // Determine the class to instantiate based on the namespace of the current client and the default directory + $prefix = $this->client->getConfig('command.prefix'); + if (!$prefix) { + // The prefix can be specified in a factory method and is cached + $prefix = implode('\\', array_slice(explode('\\', get_class($this->client)), 0, -1)) . '\\Command\\'; + $this->client->getConfig()->set('command.prefix', $prefix); + } + + $class = $prefix . str_replace(' ', '\\', ucwords(str_replace('.', ' ', $this->inflector->camel($name)))); + + // Create the concrete command if it exists + if (class_exists($class)) { + return new $class($args); + } + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Service/Command/Factory/FactoryInterface.php b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Service/Command/Factory/FactoryInterface.php new file mode 100644 index 0000000000..35c299d9d8 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Service/Command/Factory/FactoryInterface.php @@ -0,0 +1,21 @@ +map = $map; + } + + public function factory($name, array $args = array()) + { + if (isset($this->map[$name])) { + $class = $this->map[$name]; + + return new $class($args); + } + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Service/Command/Factory/ServiceDescriptionFactory.php b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Service/Command/Factory/ServiceDescriptionFactory.php new file mode 100644 index 0000000000..b943a5b50a --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Service/Command/Factory/ServiceDescriptionFactory.php @@ -0,0 +1,71 @@ +setServiceDescription($description); + $this->inflector = $inflector; + } + + /** + * Change the service description used with the factory + * + * @param ServiceDescriptionInterface $description Service description to use + * + * @return FactoryInterface + */ + public function setServiceDescription(ServiceDescriptionInterface $description) + { + $this->description = $description; + + return $this; + } + + /** + * Returns the service description + * + * @return ServiceDescriptionInterface + */ + public function getServiceDescription() + { + return $this->description; + } + + public function factory($name, array $args = array()) + { + $command = $this->description->getOperation($name); + + // If a command wasn't found, then try to uppercase the first letter and try again + if (!$command) { + $command = $this->description->getOperation(ucfirst($name)); + // If an inflector was passed, then attempt to get the command using snake_case inflection + if (!$command && $this->inflector) { + $command = $this->description->getOperation($this->inflector->snake($name)); + } + } + + if ($command) { + $class = $command->getClass(); + return new $class($args, $command, $this->description); + } + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Service/Command/LocationVisitor/Request/AbstractRequestVisitor.php b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Service/Command/LocationVisitor/Request/AbstractRequestVisitor.php new file mode 100644 index 0000000000..adcfca1ba7 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Service/Command/LocationVisitor/Request/AbstractRequestVisitor.php @@ -0,0 +1,69 @@ +resolveRecursively($value, $param) + : $param->filter($value); + } + + /** + * Map nested parameters into the location_key based parameters + * + * @param array $value Value to map + * @param Parameter $param Parameter that holds information about the current key + * + * @return array Returns the mapped array + */ + protected function resolveRecursively(array $value, Parameter $param) + { + foreach ($value as $name => &$v) { + switch ($param->getType()) { + case 'object': + if ($subParam = $param->getProperty($name)) { + $key = $subParam->getWireName(); + $value[$key] = $this->prepareValue($v, $subParam); + if ($name != $key) { + unset($value[$name]); + } + } elseif ($param->getAdditionalProperties() instanceof Parameter) { + $v = $this->prepareValue($v, $param->getAdditionalProperties()); + } + break; + case 'array': + if ($items = $param->getItems()) { + $v = $this->prepareValue($v, $items); + } + break; + } + } + + return $param->filter($value); + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Service/Command/LocationVisitor/Request/BodyVisitor.php b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Service/Command/LocationVisitor/Request/BodyVisitor.php new file mode 100644 index 0000000000..168d7806fc --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Service/Command/LocationVisitor/Request/BodyVisitor.php @@ -0,0 +1,58 @@ +filter($value); + $entityBody = EntityBody::factory($value); + $request->setBody($entityBody); + $this->addExpectHeader($request, $entityBody, $param->getData('expect_header')); + // Add the Content-Encoding header if one is set on the EntityBody + if ($encoding = $entityBody->getContentEncoding()) { + $request->setHeader('Content-Encoding', $encoding); + } + } + + /** + * Add the appropriate expect header to a request + * + * @param EntityEnclosingRequestInterface $request Request to update + * @param EntityBodyInterface $body Entity body of the request + * @param string|int $expect Expect header setting + */ + protected function addExpectHeader(EntityEnclosingRequestInterface $request, EntityBodyInterface $body, $expect) + { + // Allow the `expect` data parameter to be set to remove the Expect header from the request + if ($expect === false) { + $request->removeHeader('Expect'); + } elseif ($expect !== true) { + // Default to using a MB as the point in which to start using the expect header + $expect = $expect ?: 1048576; + // If the expect_header value is numeric then only add if the size is greater than the cutoff + if (is_numeric($expect) && $body->getSize()) { + if ($body->getSize() < $expect) { + $request->removeHeader('Expect'); + } else { + $request->setHeader('Expect', '100-Continue'); + } + } + } + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Service/Command/LocationVisitor/Request/HeaderVisitor.php b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Service/Command/LocationVisitor/Request/HeaderVisitor.php new file mode 100644 index 0000000000..2a537542ca --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Service/Command/LocationVisitor/Request/HeaderVisitor.php @@ -0,0 +1,44 @@ +filter($value); + if ($param->getType() == 'object' && $param->getAdditionalProperties() instanceof Parameter) { + $this->addPrefixedHeaders($request, $param, $value); + } else { + $request->setHeader($param->getWireName(), $value); + } + } + + /** + * Add a prefixed array of headers to the request + * + * @param RequestInterface $request Request to update + * @param Parameter $param Parameter object + * @param array $value Header array to add + * + * @throws InvalidArgumentException + */ + protected function addPrefixedHeaders(RequestInterface $request, Parameter $param, $value) + { + if (!is_array($value)) { + throw new InvalidArgumentException('An array of mapped headers expected, but received a single value'); + } + $prefix = $param->getSentAs(); + foreach ($value as $headerName => $headerValue) { + $request->setHeader($prefix . $headerName, $headerValue); + } + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Service/Command/LocationVisitor/Request/JsonVisitor.php b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Service/Command/LocationVisitor/Request/JsonVisitor.php new file mode 100644 index 0000000000..db0b00468e --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Service/Command/LocationVisitor/Request/JsonVisitor.php @@ -0,0 +1,62 @@ +data = new \SplObjectStorage(); + } + + /** + * Set the Content-Type header to add to the request if JSON is added to the body. This visitor does not add a + * Content-Type header unless you specify one here. + * + * @param string $header Header to set when JSON is added (e.g. application/json) + * + * @return self + */ + public function setContentTypeHeader($header = 'application/json') + { + $this->jsonContentType = $header; + + return $this; + } + + public function visit(CommandInterface $command, RequestInterface $request, Parameter $param, $value) + { + if (isset($this->data[$command])) { + $json = $this->data[$command]; + } else { + $json = array(); + } + $json[$param->getWireName()] = $this->prepareValue($value, $param); + $this->data[$command] = $json; + } + + public function after(CommandInterface $command, RequestInterface $request) + { + if (isset($this->data[$command])) { + $request->setBody(json_encode($this->data[$command])); + unset($this->data[$command]); + // Don't overwrite the Content-Type if one is set + if ($this->jsonContentType && !$request->hasHeader('Content-Type')) { + $request->setHeader('Content-Type', $this->jsonContentType); + } + } + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Service/Command/LocationVisitor/Request/PostFieldVisitor.php b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Service/Command/LocationVisitor/Request/PostFieldVisitor.php new file mode 100644 index 0000000000..975850b74e --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Service/Command/LocationVisitor/Request/PostFieldVisitor.php @@ -0,0 +1,18 @@ +setPostField($param->getWireName(), $this->prepareValue($value, $param)); + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Service/Command/LocationVisitor/Request/PostFileVisitor.php b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Service/Command/LocationVisitor/Request/PostFileVisitor.php new file mode 100644 index 0000000000..0853ebe629 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Service/Command/LocationVisitor/Request/PostFileVisitor.php @@ -0,0 +1,24 @@ +filter($value); + if ($value instanceof PostFileInterface) { + $request->addPostFile($value); + } else { + $request->addPostFile($param->getWireName(), $value); + } + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Service/Command/LocationVisitor/Request/QueryVisitor.php b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Service/Command/LocationVisitor/Request/QueryVisitor.php new file mode 100644 index 0000000000..315877aa06 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Service/Command/LocationVisitor/Request/QueryVisitor.php @@ -0,0 +1,18 @@ +getQuery()->set($param->getWireName(), $this->prepareValue($value, $param)); + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Service/Command/LocationVisitor/Request/RequestVisitorInterface.php b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Service/Command/LocationVisitor/Request/RequestVisitorInterface.php new file mode 100644 index 0000000000..14e0b2d2b1 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Service/Command/LocationVisitor/Request/RequestVisitorInterface.php @@ -0,0 +1,31 @@ +setResponseBody($value); + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Service/Command/LocationVisitor/Request/XmlVisitor.php b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Service/Command/LocationVisitor/Request/XmlVisitor.php new file mode 100644 index 0000000000..01f42da65c --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Service/Command/LocationVisitor/Request/XmlVisitor.php @@ -0,0 +1,160 @@ +data = new \SplObjectStorage(); + } + + /** + * Change the content-type header that is added when XML is found + * + * @param string $header Header to set when XML is found + * + * @return self + */ + public function setContentTypeHeader($header) + { + $this->contentType = $header; + + return $this; + } + + public function visit(CommandInterface $command, RequestInterface $request, Parameter $param, $value) + { + $xml = isset($this->data[$command]) + ? $this->data[$command] + : $this->createRootElement($param->getParent()); + $this->addXml($xml, $param, $value); + $this->data[$command] = $xml; + } + + public function after(CommandInterface $command, RequestInterface $request) + { + $xml = null; + + // If data was found that needs to be serialized, then do so + if (isset($this->data[$command])) { + $xml = $this->data[$command]->asXML(); + unset($this->data[$command]); + } else { + // Check if XML should always be sent for the command + $operation = $command->getOperation(); + if ($operation->getData('xmlAllowEmpty')) { + $xml = $this->createRootElement($operation)->asXML(); + } + } + + if ($xml) { + $request->setBody($xml); + // Don't overwrite the Content-Type if one is set + if ($this->contentType && !$request->hasHeader('Content-Type')) { + $request->setHeader('Content-Type', $this->contentType); + } + } + } + + /** + * Create the root XML element to use with a request + * + * @param Operation $operation Operation object + * + * @return \SimpleXMLElement + */ + protected function createRootElement(Operation $operation) + { + static $defaultRoot = array('name' => 'Request'); + // If no root element was specified, then just wrap the XML in 'Request' + $root = $operation->getData('xmlRoot') ?: $defaultRoot; + + // Allow the XML declaration to be customized with xmlEncoding + $declaration = 'getData('xmlEncoding')) { + $declaration .= ' encoding="' . $encoding . '"'; + } + $declaration .= "?>"; + + // Create the wrapping element with no namespaces if no namespaces were present + if (empty($root['namespaces'])) { + return new \SimpleXMLElement("{$declaration}\n<{$root['name']}/>"); + } else { + // Create the wrapping element with an array of one or more namespaces + $xml = "{$declaration}\n<{$root['name']} "; + foreach ((array) $root['namespaces'] as $prefix => $uri) { + $xml .= is_numeric($prefix) ? "xmlns=\"{$uri}\" " : "xmlns:{$prefix}=\"{$uri}\" "; + } + return new \SimpleXMLElement($xml . "/>"); + } + } + + /** + * Recursively build the XML body + * + * @param \SimpleXMLElement $xml XML to modify + * @param Parameter $param API Parameter + * @param mixed $value Value to add + */ + protected function addXml(\SimpleXMLElement $xml, Parameter $param, $value) + { + if ($value === null) { + return; + } + + $value = $param->filter($value); + $type = $param->getType(); + + if ($type == 'object' || $type == 'array') { + $ele = $param->getData('xmlFlattened') ? $xml : $xml->addChild($param->getWireName()); + if ($param->getType() == 'array') { + $this->addXmlArray($ele, $param, $value, $param->getData('xmlNamespace')); + } elseif ($param->getType() == 'object') { + $this->addXmlObject($ele, $param, $value); + } + } elseif ($param->getData('xmlAttribute')) { + $xml->addAttribute($param->getWireName(), $value, $param->getData('xmlNamespace')); + } else { + $xml->addChild($param->getWireName(), $value, $param->getData('xmlNamespace')); + } + } + + /** + * Add an array to the XML + */ + protected function addXmlArray(\SimpleXMLElement $xml, Parameter $param, &$value) + { + if ($items = $param->getItems()) { + foreach ($value as $v) { + $this->addXml($xml, $items, $v); + } + } + } + + /** + * Add an object to the XML + */ + protected function addXmlObject(\SimpleXMLElement $xml, Parameter $param, &$value) + { + foreach ($value as $name => $v) { + if ($property = $param->getProperty($name)) { + $this->addXml($xml, $property, $v); + } + } + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Service/Command/LocationVisitor/Response/AbstractResponseVisitor.php b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Service/Command/LocationVisitor/Response/AbstractResponseVisitor.php new file mode 100644 index 0000000000..d87eeb9459 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Service/Command/LocationVisitor/Response/AbstractResponseVisitor.php @@ -0,0 +1,26 @@ +getName()] = $param->filter($response->getBody()); + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Service/Command/LocationVisitor/Response/HeaderVisitor.php b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Service/Command/LocationVisitor/Response/HeaderVisitor.php new file mode 100644 index 0000000000..0f8737cbd9 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Service/Command/LocationVisitor/Response/HeaderVisitor.php @@ -0,0 +1,50 @@ +getType() == 'object' && $param->getAdditionalProperties() instanceof Parameter) { + $this->processPrefixedHeaders($response, $param, $value); + } else { + $value[$param->getName()] = $param->filter((string) $response->getHeader($param->getWireName())); + } + } + + /** + * Process a prefixed header array + * + * @param Response $response Response that contains the headers + * @param Parameter $param Parameter object + * @param array $value Value response array to modify + */ + protected function processPrefixedHeaders(Response $response, Parameter $param, &$value) + { + // Grab prefixed headers that should be placed into an array with the prefix stripped + if ($prefix = $param->getSentAs()) { + $container = $param->getName(); + $len = strlen($prefix); + // Find all matching headers and place them into the containing element + foreach ($response->getHeaders()->toArray() as $key => $header) { + if (stripos($key, $prefix) === 0) { + // Account for multi-value headers + $value[$container][substr($key, $len)] = count($header) == 1 ? end($header) : $header; + } + } + } + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Service/Command/LocationVisitor/Response/JsonVisitor.php b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Service/Command/LocationVisitor/Response/JsonVisitor.php new file mode 100644 index 0000000000..b9b35a86d2 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Service/Command/LocationVisitor/Response/JsonVisitor.php @@ -0,0 +1,81 @@ +getResponse()->json(); + } + + public function visit( + CommandInterface $command, + Response $response, + Parameter $param, + &$value, + $context = null + ) { + $name = $param->getName(); + $key = $param->getWireName(); + if (isset($value[$key])) { + $this->recursiveProcess($param, $value[$key]); + if ($key != $name) { + $value[$name] = $value[$key]; + unset($value[$key]); + } + } + } + + /** + * Recursively process a parameter while applying filters + * + * @param Parameter $param API parameter being validated + * @param mixed $value Value to validate and process. The value may change during this process. + */ + protected function recursiveProcess(Parameter $param, &$value) + { + if ($value === null) { + return; + } + + if (is_array($value)) { + $type = $param->getType(); + if ($type == 'array') { + foreach ($value as &$item) { + $this->recursiveProcess($param->getItems(), $item); + } + } elseif ($type == 'object' && !isset($value[0])) { + // On the above line, we ensure that the array is associative and not numerically indexed + if ($properties = $param->getProperties()) { + foreach ($properties as $property) { + $name = $property->getName(); + $key = $property->getWireName(); + if (isset($value[$key])) { + $this->recursiveProcess($property, $value[$key]); + if ($key != $name) { + $value[$name] = $value[$key]; + unset($value[$key]); + } + } + } + } + } + } + + $value = $param->filter($value); + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Service/Command/LocationVisitor/Response/ReasonPhraseVisitor.php b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Service/Command/LocationVisitor/Response/ReasonPhraseVisitor.php new file mode 100644 index 0000000000..1b10ebce76 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Service/Command/LocationVisitor/Response/ReasonPhraseVisitor.php @@ -0,0 +1,23 @@ +getName()] = $response->getReasonPhrase(); + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Service/Command/LocationVisitor/Response/ResponseVisitorInterface.php b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Service/Command/LocationVisitor/Response/ResponseVisitorInterface.php new file mode 100644 index 0000000000..033f40c3f8 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Service/Command/LocationVisitor/Response/ResponseVisitorInterface.php @@ -0,0 +1,46 @@ +getName()] = $response->getStatusCode(); + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Service/Command/LocationVisitor/Response/XmlVisitor.php b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Service/Command/LocationVisitor/Response/XmlVisitor.php new file mode 100644 index 0000000000..ae1c556f98 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Service/Command/LocationVisitor/Response/XmlVisitor.php @@ -0,0 +1,142 @@ +getResponse()->xml()), true); + } + + public function visit( + CommandInterface $command, + Response $response, + Parameter $param, + &$value, + $context = null + ) { + $sentAs = $param->getWireName(); + $name = $param->getName(); + if (isset($value[$sentAs])) { + $this->recursiveProcess($param, $value[$sentAs]); + if ($name != $sentAs) { + $value[$name] = $value[$sentAs]; + unset($value[$sentAs]); + } + } + } + + /** + * Recursively process a parameter while applying filters + * + * @param Parameter $param API parameter being processed + * @param mixed $value Value to validate and process. The value may change during this process. + */ + protected function recursiveProcess(Parameter $param, &$value) + { + $type = $param->getType(); + + if (!is_array($value)) { + if ($type == 'array') { + // Cast to an array if the value was a string, but should be an array + $this->recursiveProcess($param->getItems(), $value); + $value = array($value); + } + } elseif ($type == 'object') { + $this->processObject($param, $value); + } elseif ($type == 'array') { + $this->processArray($param, $value); + } + + if ($value !== null) { + $value = $param->filter($value); + } + } + + /** + * Process an array + * + * @param Parameter $param API parameter being parsed + * @param mixed $value Value to process + */ + protected function processArray(Parameter $param, &$value) + { + // Convert the node if it was meant to be an array + if (!isset($value[0])) { + // Collections fo nodes are sometimes wrapped in an additional array. For example: + // 12 should become: + // array('Items' => array(array('a' => 1), array('a' => 2)) + // Some nodes are not wrapped. For example: 12 + // should become array('Foo' => array(array('a' => 1), array('a' => 2)) + if ($param->getItems() && isset($value[$param->getItems()->getWireName()])) { + // Account for the case of a collection wrapping wrapped nodes: Items => Item[] + $value = $value[$param->getItems()->getWireName()]; + // If the wrapped node only had one value, then make it an array of nodes + if (!isset($value[0]) || !is_array($value)) { + $value = array($value); + } + } elseif (!empty($value)) { + // Account for repeated nodes that must be an array: Foo => Baz, Foo => Baz, but only if the + // value is set and not empty + $value = array($value); + } + } + + foreach ($value as &$item) { + $this->recursiveProcess($param->getItems(), $item); + } + } + + /** + * Process an object + * + * @param Parameter $param API parameter being parsed + * @param mixed $value Value to process + */ + protected function processObject(Parameter $param, &$value) + { + // Ensure that the array is associative and not numerically indexed + if (!isset($value[0]) && ($properties = $param->getProperties())) { + foreach ($properties as $property) { + $name = $property->getName(); + $sentAs = $property->getWireName(); + if ($property->getData('xmlAttribute')) { + $this->processXmlAttribute($property, $value); + } elseif (isset($value[$sentAs])) { + $this->recursiveProcess($property, $value[$sentAs]); + if ($name != $sentAs) { + $value[$name] = $value[$sentAs]; + unset($value[$sentAs]); + } + } + } + } + } + + /** + * Process an XML attribute property + * + * @param Parameter $property Property to process + * @param array $value Value to process and update + */ + protected function processXmlAttribute(Parameter $property, array &$value) + { + $sentAs = $property->getWireName(); + if (isset($value['@attributes'][$sentAs])) { + $value[$property->getName()] = $value['@attributes'][$sentAs]; + unset($value['@attributes'][$sentAs]); + if (empty($value['@attributes'])) { + unset($value['@attributes']); + } + } + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Service/Command/LocationVisitor/VisitorFlyweight.php b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Service/Command/LocationVisitor/VisitorFlyweight.php new file mode 100644 index 0000000000..74cb62813b --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Service/Command/LocationVisitor/VisitorFlyweight.php @@ -0,0 +1,138 @@ + 'Guzzle\Service\Command\LocationVisitor\Request\BodyVisitor', + 'request.header' => 'Guzzle\Service\Command\LocationVisitor\Request\HeaderVisitor', + 'request.json' => 'Guzzle\Service\Command\LocationVisitor\Request\JsonVisitor', + 'request.postField' => 'Guzzle\Service\Command\LocationVisitor\Request\PostFieldVisitor', + 'request.postFile' => 'Guzzle\Service\Command\LocationVisitor\Request\PostFileVisitor', + 'request.query' => 'Guzzle\Service\Command\LocationVisitor\Request\QueryVisitor', + 'request.response_body' => 'Guzzle\Service\Command\LocationVisitor\Request\ResponseBodyVisitor', + 'request.responseBody' => 'Guzzle\Service\Command\LocationVisitor\Request\ResponseBodyVisitor', + 'request.xml' => 'Guzzle\Service\Command\LocationVisitor\Request\XmlVisitor', + 'response.body' => 'Guzzle\Service\Command\LocationVisitor\Response\BodyVisitor', + 'response.header' => 'Guzzle\Service\Command\LocationVisitor\Response\HeaderVisitor', + 'response.json' => 'Guzzle\Service\Command\LocationVisitor\Response\JsonVisitor', + 'response.reasonPhrase' => 'Guzzle\Service\Command\LocationVisitor\Response\ReasonPhraseVisitor', + 'response.statusCode' => 'Guzzle\Service\Command\LocationVisitor\Response\StatusCodeVisitor', + 'response.xml' => 'Guzzle\Service\Command\LocationVisitor\Response\XmlVisitor' + ); + + /** @var array Array of mappings of location names to classes */ + protected $mappings; + + /** @var array Cache of instantiated visitors */ + protected $cache = array(); + + /** + * @return self + * @codeCoverageIgnore + */ + public static function getInstance() + { + if (!self::$instance) { + self::$instance = new self(); + } + + return self::$instance; + } + + /** + * @param array $mappings Array mapping request.name and response.name to location visitor classes. Leave null to + * use the default values. + */ + public function __construct(array $mappings = null) + { + $this->mappings = $mappings === null ? self::$defaultMappings : $mappings; + } + + /** + * Get an instance of a request visitor by location name + * + * @param string $visitor Visitor name + * + * @return RequestVisitorInterface + */ + public function getRequestVisitor($visitor) + { + return $this->getKey('request.' . $visitor); + } + + /** + * Get an instance of a response visitor by location name + * + * @param string $visitor Visitor name + * + * @return ResponseVisitorInterface + */ + public function getResponseVisitor($visitor) + { + return $this->getKey('response.' . $visitor); + } + + /** + * Add a response visitor to the factory by name + * + * @param string $name Name of the visitor + * @param RequestVisitorInterface $visitor Visitor to add + * + * @return self + */ + public function addRequestVisitor($name, RequestVisitorInterface $visitor) + { + $this->cache['request.' . $name] = $visitor; + + return $this; + } + + /** + * Add a response visitor to the factory by name + * + * @param string $name Name of the visitor + * @param ResponseVisitorInterface $visitor Visitor to add + * + * @return self + */ + public function addResponseVisitor($name, ResponseVisitorInterface $visitor) + { + $this->cache['response.' . $name] = $visitor; + + return $this; + } + + /** + * Get a visitor by key value name + * + * @param string $key Key name to retrieve + * + * @return mixed + * @throws InvalidArgumentException + */ + private function getKey($key) + { + if (!isset($this->cache[$key])) { + if (!isset($this->mappings[$key])) { + list($type, $name) = explode('.', $key); + throw new InvalidArgumentException("No {$type} visitor has been mapped for {$name}"); + } + $this->cache[$key] = new $this->mappings[$key]; + } + + return $this->cache[$key]; + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Service/Command/OperationCommand.php b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Service/Command/OperationCommand.php new file mode 100644 index 0000000000..0748b5af07 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Service/Command/OperationCommand.php @@ -0,0 +1,89 @@ +responseParser = $parser; + + return $this; + } + + /** + * Set the request serializer used with the command + * + * @param RequestSerializerInterface $serializer Request serializer + * + * @return self + */ + public function setRequestSerializer(RequestSerializerInterface $serializer) + { + $this->requestSerializer = $serializer; + + return $this; + } + + /** + * Get the request serializer used with the command + * + * @return RequestSerializerInterface + */ + public function getRequestSerializer() + { + if (!$this->requestSerializer) { + // Use the default request serializer if none was found + $this->requestSerializer = DefaultRequestSerializer::getInstance(); + } + + return $this->requestSerializer; + } + + /** + * Get the response parser used for the operation + * + * @return ResponseParserInterface + */ + public function getResponseParser() + { + if (!$this->responseParser) { + // Use the default response parser if none was found + $this->responseParser = OperationResponseParser::getInstance(); + } + + return $this->responseParser; + } + + protected function build() + { + // Prepare and serialize the request + $this->request = $this->getRequestSerializer()->prepare($this); + } + + protected function process() + { + // Do not process the response if 'command.response_processing' is set to 'raw' + $this->result = $this[self::RESPONSE_PROCESSING] == self::TYPE_RAW + ? $this->request->getResponse() + : $this->getResponseParser()->parse($this); + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Service/Command/OperationResponseParser.php b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Service/Command/OperationResponseParser.php new file mode 100644 index 0000000000..0d51296e28 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Service/Command/OperationResponseParser.php @@ -0,0 +1,156 @@ +factory = $factory; + } + + /** + * Add a location visitor to the command + * + * @param string $location Location to associate with the visitor + * @param ResponseVisitorInterface $visitor Visitor to attach + * + * @return self + */ + public function addVisitor($location, ResponseVisitorInterface $visitor) + { + $this->factory->addResponseVisitor($location, $visitor); + + return $this; + } + + protected function handleParsing(CommandInterface $command, Response $response, $contentType) + { + $operation = $command->getOperation(); + $type = $operation->getResponseType(); + $model = null; + + if ($type == OperationInterface::TYPE_MODEL) { + $model = $operation->getServiceDescription()->getModel($operation->getResponseClass()); + } elseif ($type == OperationInterface::TYPE_CLASS) { + $responseClassInterface = __NAMESPACE__ . '\ResponseClassInterface'; + $className = $operation->getResponseClass(); + if (!class_exists($className)) { + throw new ResponseClassException("{$className} does not exist"); + } elseif (!method_exists($className, 'fromCommand')) { + throw new ResponseClassException("{$className} must implement {$responseClassInterface}"); + } + return $className::fromCommand($command); + } + + if (!$model) { + // Return basic processing if the responseType is not model or the model cannot be found + return parent::handleParsing($command, $response, $contentType); + } elseif ($command[AbstractCommand::RESPONSE_PROCESSING] != AbstractCommand::TYPE_MODEL) { + // Returns a model with no visiting if the command response processing is not model + return new Model(parent::handleParsing($command, $response, $contentType), $model); + } else { + return new Model($this->visitResult($model, $command, $response), $model); + } + } + + /** + * Perform transformations on the result array + * + * @param Parameter $model Model that defines the structure + * @param CommandInterface $command Command that performed the operation + * @param Response $response Response received + * + * @return array Returns the array of result data + */ + protected function visitResult(Parameter $model, CommandInterface $command, Response $response) + { + $foundVisitors = $result = array(); + $props = $model->getProperties(); + + foreach ($props as $schema) { + if ($location = $schema->getLocation()) { + // Trigger the before method on the first found visitor of this type + if (!isset($foundVisitors[$location])) { + $foundVisitors[$location] = $this->factory->getResponseVisitor($location); + $foundVisitors[$location]->before($command, $result); + } + } + } + + // Visit additional properties when it is an actual schema + if ($additional = $model->getAdditionalProperties()) { + if ($additional instanceof Parameter) { + // Only visit when a location is specified + if ($location = $additional->getLocation()) { + if (!isset($foundVisitors[$location])) { + $foundVisitors[$location] = $this->factory->getResponseVisitor($location); + $foundVisitors[$location]->before($command, $result); + } + // Only traverse if an array was parsed from the before() visitors + if (is_array($result)) { + // Find each additional property + foreach (array_keys($result) as $key) { + // Check if the model actually knows this property. If so, then it is not additional + if (!$model->getProperty($key)) { + // Set the name to the key so that we can parse it with each visitor + $additional->setName($key); + $foundVisitors[$location]->visit($command, $response, $additional, $result); + } + } + // Reset the additionalProperties name to null + $additional->setName(null); + } + } + } + } + + // Apply the parameter value with the location visitor + foreach ($props as $schema) { + if ($location = $schema->getLocation()) { + $foundVisitors[$location]->visit($command, $response, $schema, $result); + } + } + + // Call the after() method of each found visitor + foreach ($foundVisitors as $visitor) { + $visitor->after($command); + } + + return $result; + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Service/Command/RequestSerializerInterface.php b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Service/Command/RequestSerializerInterface.php new file mode 100644 index 0000000000..60b9334d45 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Service/Command/RequestSerializerInterface.php @@ -0,0 +1,21 @@ + true, 'httpMethod' => true, 'uri' => true, 'class' => true, 'responseClass' => true, + 'responseType' => true, 'responseNotes' => true, 'notes' => true, 'summary' => true, 'documentationUrl' => true, + 'deprecated' => true, 'data' => true, 'parameters' => true, 'additionalParameters' => true, + 'errorResponses' => true + ); + + /** @var array Parameters */ + protected $parameters = array(); + + /** @var Parameter Additional parameters schema */ + protected $additionalParameters; + + /** @var string Name of the command */ + protected $name; + + /** @var string HTTP method */ + protected $httpMethod; + + /** @var string This is a short summary of what the operation does */ + protected $summary; + + /** @var string A longer text field to explain the behavior of the operation. */ + protected $notes; + + /** @var string Reference URL providing more information about the operation */ + protected $documentationUrl; + + /** @var string HTTP URI of the command */ + protected $uri; + + /** @var string Class of the command object */ + protected $class; + + /** @var string This is what is returned from the method */ + protected $responseClass; + + /** @var string Type information about the response */ + protected $responseType; + + /** @var string Information about the response returned by the operation */ + protected $responseNotes; + + /** @var bool Whether or not the command is deprecated */ + protected $deprecated; + + /** @var array Array of errors that could occur when running the command */ + protected $errorResponses; + + /** @var ServiceDescriptionInterface */ + protected $description; + + /** @var array Extra operation information */ + protected $data; + + /** + * Builds an Operation object using an array of configuration data: + * - name: (string) Name of the command + * - httpMethod: (string) HTTP method of the operation + * - uri: (string) URI template that can create a relative or absolute URL + * - class: (string) Concrete class that implements this command + * - parameters: (array) Associative array of parameters for the command. {@see Parameter} for information. + * - summary: (string) This is a short summary of what the operation does + * - notes: (string) A longer text field to explain the behavior of the operation. + * - documentationUrl: (string) Reference URL providing more information about the operation + * - responseClass: (string) This is what is returned from the method. Can be a primitive, PSR-0 compliant + * class name, or model. + * - responseNotes: (string) Information about the response returned by the operation + * - responseType: (string) One of 'primitive', 'class', 'model', or 'documentation'. If not specified, this + * value will be automatically inferred based on whether or not there is a model matching the + * name, if a matching PSR-0 compliant class name is found, or set to 'primitive' by default. + * - deprecated: (bool) Set to true if this is a deprecated command + * - errorResponses: (array) Errors that could occur when executing the command. Array of hashes, each with a + * 'code' (the HTTP response code), 'phrase' (response reason phrase or description of the + * error), and 'class' (a custom exception class that would be thrown if the error is + * encountered). + * - data: (array) Any extra data that might be used to help build or serialize the operation + * - additionalParameters: (null|array) Parameter schema to use when an option is passed to the operation that is + * not in the schema + * + * @param array $config Array of configuration data + * @param ServiceDescriptionInterface $description Service description used to resolve models if $ref tags are found + */ + public function __construct(array $config = array(), ServiceDescriptionInterface $description = null) + { + $this->description = $description; + + // Get the intersection of the available properties and properties set on the operation + foreach (array_intersect_key($config, self::$properties) as $key => $value) { + $this->{$key} = $value; + } + + $this->class = $this->class ?: self::DEFAULT_COMMAND_CLASS; + $this->deprecated = (bool) $this->deprecated; + $this->errorResponses = $this->errorResponses ?: array(); + $this->data = $this->data ?: array(); + + if (!$this->responseClass) { + $this->responseClass = 'array'; + $this->responseType = 'primitive'; + } elseif ($this->responseType) { + // Set the response type to perform validation + $this->setResponseType($this->responseType); + } else { + // A response class was set and no response type was set, so guess what the type is + $this->inferResponseType(); + } + + // Parameters need special handling when adding + if ($this->parameters) { + foreach ($this->parameters as $name => $param) { + if ($param instanceof Parameter) { + $param->setName($name)->setParent($this); + } elseif (is_array($param)) { + $param['name'] = $name; + $this->addParam(new Parameter($param, $this->description)); + } + } + } + + if ($this->additionalParameters) { + if ($this->additionalParameters instanceof Parameter) { + $this->additionalParameters->setParent($this); + } elseif (is_array($this->additionalParameters)) { + $this->setadditionalParameters(new Parameter($this->additionalParameters, $this->description)); + } + } + } + + public function toArray() + { + $result = array(); + // Grab valid properties and filter out values that weren't set + foreach (array_keys(self::$properties) as $check) { + if ($value = $this->{$check}) { + $result[$check] = $value; + } + } + // Remove the name property + unset($result['name']); + // Parameters need to be converted to arrays + $result['parameters'] = array(); + foreach ($this->parameters as $key => $param) { + $result['parameters'][$key] = $param->toArray(); + } + // Additional parameters need to be cast to an array + if ($this->additionalParameters instanceof Parameter) { + $result['additionalParameters'] = $this->additionalParameters->toArray(); + } + + return $result; + } + + public function getServiceDescription() + { + return $this->description; + } + + public function setServiceDescription(ServiceDescriptionInterface $description) + { + $this->description = $description; + + return $this; + } + + public function getParams() + { + return $this->parameters; + } + + public function getParamNames() + { + return array_keys($this->parameters); + } + + public function hasParam($name) + { + return isset($this->parameters[$name]); + } + + public function getParam($param) + { + return isset($this->parameters[$param]) ? $this->parameters[$param] : null; + } + + /** + * Add a parameter to the command + * + * @param Parameter $param Parameter to add + * + * @return self + */ + public function addParam(Parameter $param) + { + $this->parameters[$param->getName()] = $param; + $param->setParent($this); + + return $this; + } + + /** + * Remove a parameter from the command + * + * @param string $name Name of the parameter to remove + * + * @return self + */ + public function removeParam($name) + { + unset($this->parameters[$name]); + + return $this; + } + + public function getHttpMethod() + { + return $this->httpMethod; + } + + /** + * Set the HTTP method of the command + * + * @param string $httpMethod Method to set + * + * @return self + */ + public function setHttpMethod($httpMethod) + { + $this->httpMethod = $httpMethod; + + return $this; + } + + public function getClass() + { + return $this->class; + } + + /** + * Set the concrete class of the command + * + * @param string $className Concrete class name + * + * @return self + */ + public function setClass($className) + { + $this->class = $className; + + return $this; + } + + public function getName() + { + return $this->name; + } + + /** + * Set the name of the command + * + * @param string $name Name of the command + * + * @return self + */ + public function setName($name) + { + $this->name = $name; + + return $this; + } + + public function getSummary() + { + return $this->summary; + } + + /** + * Set a short summary of what the operation does + * + * @param string $summary Short summary of the operation + * + * @return self + */ + public function setSummary($summary) + { + $this->summary = $summary; + + return $this; + } + + public function getNotes() + { + return $this->notes; + } + + /** + * Set a longer text field to explain the behavior of the operation. + * + * @param string $notes Notes on the operation + * + * @return self + */ + public function setNotes($notes) + { + $this->notes = $notes; + + return $this; + } + + public function getDocumentationUrl() + { + return $this->documentationUrl; + } + + /** + * Set the URL pointing to additional documentation on the command + * + * @param string $docUrl Documentation URL + * + * @return self + */ + public function setDocumentationUrl($docUrl) + { + $this->documentationUrl = $docUrl; + + return $this; + } + + public function getResponseClass() + { + return $this->responseClass; + } + + /** + * Set what is returned from the method. Can be a primitive, class name, or model. For example: 'array', + * 'Guzzle\\Foo\\Baz', or 'MyModelName' (to reference a model by ID). + * + * @param string $responseClass Type of response + * + * @return self + */ + public function setResponseClass($responseClass) + { + $this->responseClass = $responseClass; + $this->inferResponseType(); + + return $this; + } + + public function getResponseType() + { + return $this->responseType; + } + + /** + * Set qualifying information about the responseClass. One of 'primitive', 'class', 'model', or 'documentation' + * + * @param string $responseType Response type information + * + * @return self + * @throws InvalidArgumentException + */ + public function setResponseType($responseType) + { + static $types = array( + self::TYPE_PRIMITIVE => true, + self::TYPE_CLASS => true, + self::TYPE_MODEL => true, + self::TYPE_DOCUMENTATION => true + ); + if (!isset($types[$responseType])) { + throw new InvalidArgumentException('responseType must be one of ' . implode(', ', array_keys($types))); + } + + $this->responseType = $responseType; + + return $this; + } + + public function getResponseNotes() + { + return $this->responseNotes; + } + + /** + * Set notes about the response of the operation + * + * @param string $notes Response notes + * + * @return self + */ + public function setResponseNotes($notes) + { + $this->responseNotes = $notes; + + return $this; + } + + public function getDeprecated() + { + return $this->deprecated; + } + + /** + * Set whether or not the command is deprecated + * + * @param bool $isDeprecated Set to true to mark as deprecated + * + * @return self + */ + public function setDeprecated($isDeprecated) + { + $this->deprecated = $isDeprecated; + + return $this; + } + + public function getUri() + { + return $this->uri; + } + + /** + * Set the URI template of the command + * + * @param string $uri URI template to set + * + * @return self + */ + public function setUri($uri) + { + $this->uri = $uri; + + return $this; + } + + public function getErrorResponses() + { + return $this->errorResponses; + } + + /** + * Add an error to the command + * + * @param string $code HTTP response code + * @param string $reason HTTP response reason phrase or information about the error + * @param string $class Exception class associated with the error + * + * @return self + */ + public function addErrorResponse($code, $reason, $class) + { + $this->errorResponses[] = array('code' => $code, 'reason' => $reason, 'class' => $class); + + return $this; + } + + /** + * Set all of the error responses of the operation + * + * @param array $errorResponses Hash of error name to a hash containing a code, reason, class + * + * @return self + */ + public function setErrorResponses(array $errorResponses) + { + $this->errorResponses = $errorResponses; + + return $this; + } + + public function getData($name) + { + return isset($this->data[$name]) ? $this->data[$name] : null; + } + + /** + * Set a particular data point on the operation + * + * @param string $name Name of the data value + * @param mixed $value Value to set + * + * @return self + */ + public function setData($name, $value) + { + $this->data[$name] = $value; + + return $this; + } + + /** + * Get the additionalParameters of the operation + * + * @return Paramter|null + */ + public function getAdditionalParameters() + { + return $this->additionalParameters; + } + + /** + * Set the additionalParameters of the operation + * + * @param Parameter|null $parameter Parameter to set + * + * @return self + */ + public function setAdditionalParameters($parameter) + { + if ($this->additionalParameters = $parameter) { + $this->additionalParameters->setParent($this); + } + + return $this; + } + + /** + * Infer the response type from the responseClass value + */ + protected function inferResponseType() + { + if (!$this->responseClass || $this->responseClass == 'array' || $this->responseClass == 'string' + || $this->responseClass == 'boolean' || $this->responseClass == 'integer' + ) { + $this->responseType = self::TYPE_PRIMITIVE; + } elseif ($this->description && $this->description->hasModel($this->responseClass)) { + $this->responseType = self::TYPE_MODEL; + } elseif (strpos($this->responseClass, '\\') !== false) { + $this->responseType = self::TYPE_CLASS; + } else { + $this->responseType = self::TYPE_PRIMITIVE; + } + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Service/Description/OperationInterface.php b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Service/Description/OperationInterface.php new file mode 100644 index 0000000000..4de41bd67e --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Service/Description/OperationInterface.php @@ -0,0 +1,159 @@ +getModel($data['$ref'])) { + // The name of the original parameter should override the ref name if one is available + $name = empty($data['name']) ? null : $data['name']; + $data = $model->toArray(); + if ($name) { + $data['name'] = $name; + } + } + } elseif (isset($data['extends'])) { + // If this parameter extends from another parameter then start with the actual data + // union in the parent's data (e.g. actual supersedes parent) + if ($extends = $description->getModel($data['extends'])) { + $data += $extends->toArray(); + } + } + } + + // Pull configuration data into the parameter + foreach ($data as $key => $value) { + $this->{$key} = $value; + } + + $this->serviceDescription = $description; + $this->required = (bool) $this->required; + $this->data = (array) $this->data; + + if ($this->filters) { + $this->setFilters((array) $this->filters); + } + + if ($this->type == 'object' && $this->additionalProperties === null) { + $this->additionalProperties = true; + } + } + + /** + * Convert the object to an array + * + * @return array + */ + public function toArray() + { + $result = array(); + $checks = array('required', 'description', 'static', 'type', 'format', 'instanceOf', 'location', 'sentAs', + 'pattern', 'minimum', 'maximum', 'minItems', 'maxItems', 'minLength', 'maxLength', 'data', 'enum', + 'filters'); + + // Anything that is in the `Items` attribute of an array *must* include it's name if available + if ($this->parent instanceof self && $this->parent->getType() == 'array' && isset($this->name)) { + $result['name'] = $this->name; + } + + foreach ($checks as $c) { + if ($value = $this->{$c}) { + $result[$c] = $value; + } + } + + if ($this->default !== null) { + $result['default'] = $this->default; + } + + if ($this->items !== null) { + $result['items'] = $this->getItems()->toArray(); + } + + if ($this->additionalProperties !== null) { + $result['additionalProperties'] = $this->getAdditionalProperties(); + if ($result['additionalProperties'] instanceof self) { + $result['additionalProperties'] = $result['additionalProperties']->toArray(); + } + } + + if ($this->type == 'object' && $this->properties) { + $result['properties'] = array(); + foreach ($this->getProperties() as $name => $property) { + $result['properties'][$name] = $property->toArray(); + } + } + + return $result; + } + + /** + * Get the default or static value of the command based on a value + * + * @param string $value Value that is currently set + * + * @return mixed Returns the value, a static value if one is present, or a default value + */ + public function getValue($value) + { + return $this->static || ($this->default !== null && !$value && ($this->type != 'boolean' || $value !== false)) + ? $this->default + : $value; + } + + /** + * Run a value through the filters OR format attribute associated with the parameter + * + * @param mixed $value Value to filter + * + * @return mixed Returns the filtered value + */ + public function filter($value) + { + // Formats are applied exclusively and supersed filters + if ($this->format) { + return SchemaFormatter::format($this->format, $value); + } + + // Convert Boolean values + if ($this->type == 'boolean' && !is_bool($value)) { + $value = filter_var($value, FILTER_VALIDATE_BOOLEAN); + } + + // Apply filters to the value + if ($this->filters) { + foreach ($this->filters as $filter) { + if (is_array($filter)) { + // Convert complex filters that hold value place holders + foreach ($filter['args'] as &$data) { + if ($data == '@value') { + $data = $value; + } elseif ($data == '@api') { + $data = $this; + } + } + $value = call_user_func_array($filter['method'], $filter['args']); + } else { + $value = call_user_func($filter, $value); + } + } + } + + return $value; + } + + /** + * Get the name of the parameter + * + * @return string + */ + public function getName() + { + return $this->name; + } + + /** + * Get the key of the parameter, where sentAs will supersede name if it is set + * + * @return string + */ + public function getWireName() + { + return $this->sentAs ?: $this->name; + } + + /** + * Set the name of the parameter + * + * @param string $name Name to set + * + * @return self + */ + public function setName($name) + { + $this->name = $name; + + return $this; + } + + /** + * Get the type(s) of the parameter + * + * @return string|array + */ + public function getType() + { + return $this->type; + } + + /** + * Set the type(s) of the parameter + * + * @param string|array $type Type of parameter or array of simple types used in a union + * + * @return self + */ + public function setType($type) + { + $this->type = $type; + + return $this; + } + + /** + * Get if the parameter is required + * + * @return bool + */ + public function getRequired() + { + return $this->required; + } + + /** + * Set if the parameter is required + * + * @param bool $isRequired Whether or not the parameter is required + * + * @return self + */ + public function setRequired($isRequired) + { + $this->required = (bool) $isRequired; + + return $this; + } + + /** + * Get the default value of the parameter + * + * @return string|null + */ + public function getDefault() + { + return $this->default; + } + + /** + * Set the default value of the parameter + * + * @param string|null $default Default value to set + * + * @return self + */ + public function setDefault($default) + { + $this->default = $default; + + return $this; + } + + /** + * Get the description of the parameter + * + * @return string|null + */ + public function getDescription() + { + return $this->description; + } + + /** + * Set the description of the parameter + * + * @param string $description Description + * + * @return self + */ + public function setDescription($description) + { + $this->description = $description; + + return $this; + } + + /** + * Get the minimum acceptable value for an integer + * + * @return int|null + */ + public function getMinimum() + { + return $this->minimum; + } + + /** + * Set the minimum acceptable value for an integer + * + * @param int|null $min Minimum + * + * @return self + */ + public function setMinimum($min) + { + $this->minimum = $min; + + return $this; + } + + /** + * Get the maximum acceptable value for an integer + * + * @return int|null + */ + public function getMaximum() + { + return $this->maximum; + } + + /** + * Set the maximum acceptable value for an integer + * + * @param int $max Maximum + * + * @return self + */ + public function setMaximum($max) + { + $this->maximum = $max; + + return $this; + } + + /** + * Get the minimum allowed length of a string value + * + * @return int + */ + public function getMinLength() + { + return $this->minLength; + } + + /** + * Set the minimum allowed length of a string value + * + * @param int|null $min Minimum + * + * @return self + */ + public function setMinLength($min) + { + $this->minLength = $min; + + return $this; + } + + /** + * Get the maximum allowed length of a string value + * + * @return int|null + */ + public function getMaxLength() + { + return $this->maxLength; + } + + /** + * Set the maximum allowed length of a string value + * + * @param int $max Maximum length + * + * @return self + */ + public function setMaxLength($max) + { + $this->maxLength = $max; + + return $this; + } + + /** + * Get the maximum allowed number of items in an array value + * + * @return int|null + */ + public function getMaxItems() + { + return $this->maxItems; + } + + /** + * Set the maximum allowed number of items in an array value + * + * @param int $max Maximum + * + * @return self + */ + public function setMaxItems($max) + { + $this->maxItems = $max; + + return $this; + } + + /** + * Get the minimum allowed number of items in an array value + * + * @return int + */ + public function getMinItems() + { + return $this->minItems; + } + + /** + * Set the minimum allowed number of items in an array value + * + * @param int|null $min Minimum + * + * @return self + */ + public function setMinItems($min) + { + $this->minItems = $min; + + return $this; + } + + /** + * Get the location of the parameter + * + * @return string|null + */ + public function getLocation() + { + return $this->location; + } + + /** + * Set the location of the parameter + * + * @param string|null $location Location of the parameter + * + * @return self + */ + public function setLocation($location) + { + $this->location = $location; + + return $this; + } + + /** + * Get the sentAs attribute of the parameter that used with locations to sentAs an attribute when it is being + * applied to a location. + * + * @return string|null + */ + public function getSentAs() + { + return $this->sentAs; + } + + /** + * Set the sentAs attribute + * + * @param string|null $name Name of the value as it is sent over the wire + * + * @return self + */ + public function setSentAs($name) + { + $this->sentAs = $name; + + return $this; + } + + /** + * Retrieve a known property from the parameter by name or a data property by name. When not specific name value + * is specified, all data properties will be returned. + * + * @param string|null $name Specify a particular property name to retrieve + * + * @return array|mixed|null + */ + public function getData($name = null) + { + if (!$name) { + return $this->data; + } + + if (isset($this->data[$name])) { + return $this->data[$name]; + } elseif (isset($this->{$name})) { + return $this->{$name}; + } + + return null; + } + + /** + * Set the extra data properties of the parameter or set a specific extra property + * + * @param string|array|null $nameOrData The name of a specific extra to set or an array of extras to set + * @param mixed|null $data When setting a specific extra property, specify the data to set for it + * + * @return self + */ + public function setData($nameOrData, $data = null) + { + if (is_array($nameOrData)) { + $this->data = $nameOrData; + } else { + $this->data[$nameOrData] = $data; + } + + return $this; + } + + /** + * Get whether or not the default value can be changed + * + * @return mixed|null + */ + public function getStatic() + { + return $this->static; + } + + /** + * Set to true if the default value cannot be changed + * + * @param bool $static True or false + * + * @return self + */ + public function setStatic($static) + { + $this->static = (bool) $static; + + return $this; + } + + /** + * Get an array of filters used by the parameter + * + * @return array + */ + public function getFilters() + { + return $this->filters ?: array(); + } + + /** + * Set the array of filters used by the parameter + * + * @param array $filters Array of functions to use as filters + * + * @return self + */ + public function setFilters(array $filters) + { + $this->filters = array(); + foreach ($filters as $filter) { + $this->addFilter($filter); + } + + return $this; + } + + /** + * Add a filter to the parameter + * + * @param string|array $filter Method to filter the value through + * + * @return self + * @throws InvalidArgumentException + */ + public function addFilter($filter) + { + if (is_array($filter)) { + if (!isset($filter['method'])) { + throw new InvalidArgumentException('A [method] value must be specified for each complex filter'); + } + } + + if (!$this->filters) { + $this->filters = array($filter); + } else { + $this->filters[] = $filter; + } + + return $this; + } + + /** + * Get the parent object (an {@see OperationInterface} or {@see Parameter} + * + * @return OperationInterface|Parameter|null + */ + public function getParent() + { + return $this->parent; + } + + /** + * Set the parent object of the parameter + * + * @param OperationInterface|Parameter|null $parent Parent container of the parameter + * + * @return self + */ + public function setParent($parent) + { + $this->parent = $parent; + + return $this; + } + + /** + * Get the properties of the parameter + * + * @return array + */ + public function getProperties() + { + if (!$this->propertiesCache) { + $this->propertiesCache = array(); + foreach (array_keys($this->properties) as $name) { + $this->propertiesCache[$name] = $this->getProperty($name); + } + } + + return $this->propertiesCache; + } + + /** + * Get a specific property from the parameter + * + * @param string $name Name of the property to retrieve + * + * @return null|Parameter + */ + public function getProperty($name) + { + if (!isset($this->properties[$name])) { + return null; + } + + if (!($this->properties[$name] instanceof self)) { + $this->properties[$name]['name'] = $name; + $this->properties[$name] = new static($this->properties[$name], $this->serviceDescription); + $this->properties[$name]->setParent($this); + } + + return $this->properties[$name]; + } + + /** + * Remove a property from the parameter + * + * @param string $name Name of the property to remove + * + * @return self + */ + public function removeProperty($name) + { + unset($this->properties[$name]); + $this->propertiesCache = null; + + return $this; + } + + /** + * Add a property to the parameter + * + * @param Parameter $property Properties to set + * + * @return self + */ + public function addProperty(Parameter $property) + { + $this->properties[$property->getName()] = $property; + $property->setParent($this); + $this->propertiesCache = null; + + return $this; + } + + /** + * Get the additionalProperties value of the parameter + * + * @return bool|Parameter|null + */ + public function getAdditionalProperties() + { + if (is_array($this->additionalProperties)) { + $this->additionalProperties = new static($this->additionalProperties, $this->serviceDescription); + $this->additionalProperties->setParent($this); + } + + return $this->additionalProperties; + } + + /** + * Set the additionalProperties value of the parameter + * + * @param bool|Parameter|null $additional Boolean to allow any, an Parameter to specify a schema, or false to disallow + * + * @return self + */ + public function setAdditionalProperties($additional) + { + $this->additionalProperties = $additional; + + return $this; + } + + /** + * Set the items data of the parameter + * + * @param Parameter|null $items Items to set + * + * @return self + */ + public function setItems(Parameter $items = null) + { + if ($this->items = $items) { + $this->items->setParent($this); + } + + return $this; + } + + /** + * Get the item data of the parameter + * + * @return Parameter|null + */ + public function getItems() + { + if (is_array($this->items)) { + $this->items = new static($this->items, $this->serviceDescription); + $this->items->setParent($this); + } + + return $this->items; + } + + /** + * Get the class that the parameter must implement + * + * @return null|string + */ + public function getInstanceOf() + { + return $this->instanceOf; + } + + /** + * Set the class that the parameter must be an instance of + * + * @param string|null $instanceOf Class or interface name + * + * @return self + */ + public function setInstanceOf($instanceOf) + { + $this->instanceOf = $instanceOf; + + return $this; + } + + /** + * Get the enum of strings that are valid for the parameter + * + * @return array|null + */ + public function getEnum() + { + return $this->enum; + } + + /** + * Set the enum of strings that are valid for the parameter + * + * @param array|null $enum Array of strings or null + * + * @return self + */ + public function setEnum(array $enum = null) + { + $this->enum = $enum; + + return $this; + } + + /** + * Get the regex pattern that must match a value when the value is a string + * + * @return string + */ + public function getPattern() + { + return $this->pattern; + } + + /** + * Set the regex pattern that must match a value when the value is a string + * + * @param string $pattern Regex pattern + * + * @return self + */ + public function setPattern($pattern) + { + $this->pattern = $pattern; + + return $this; + } + + /** + * Get the format attribute of the schema + * + * @return string + */ + public function getFormat() + { + return $this->format; + } + + /** + * Set the format attribute of the schema + * + * @param string $format Format to set (e.g. date, date-time, timestamp, time, date-time-http) + * + * @return self + */ + public function setFormat($format) + { + $this->format = $format; + + return $this; + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Service/Description/SchemaFormatter.php b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Service/Description/SchemaFormatter.php new file mode 100644 index 0000000000..3f29550aae --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Service/Description/SchemaFormatter.php @@ -0,0 +1,156 @@ +setTimezone(self::getUtcTimeZone())->format($format); + } + + throw new InvalidArgumentException('Date/Time values must be either a string, integer, or DateTime object'); + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Service/Description/SchemaValidator.php b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Service/Description/SchemaValidator.php new file mode 100644 index 0000000000..1d15f0fcfb --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Service/Description/SchemaValidator.php @@ -0,0 +1,290 @@ +castIntegerToStringType = $castIntegerToStringType; + } + + public function validate(Parameter $param, &$value) + { + $this->errors = array(); + $this->recursiveProcess($param, $value); + + if (empty($this->errors)) { + return true; + } else { + sort($this->errors); + return false; + } + } + + /** + * Get the errors encountered while validating + * + * @return array + */ + public function getErrors() + { + return $this->errors ?: array(); + } + + /** + * Recursively validate a parameter + * + * @param Parameter $param API parameter being validated + * @param mixed $value Value to validate and validate. The value may change during this validate. + * @param string $path Current validation path (used for error reporting) + * @param int $depth Current depth in the validation validate + * + * @return bool Returns true if valid, or false if invalid + */ + protected function recursiveProcess(Parameter $param, &$value, $path = '', $depth = 0) + { + // Update the value by adding default or static values + $value = $param->getValue($value); + + $required = $param->getRequired(); + // if the value is null and the parameter is not required or is static, then skip any further recursion + if ((null === $value && !$required) || $param->getStatic()) { + return true; + } + + $type = $param->getType(); + // Attempt to limit the number of times is_array is called by tracking if the value is an array + $valueIsArray = is_array($value); + // If a name is set then update the path so that validation messages are more helpful + if ($name = $param->getName()) { + $path .= "[{$name}]"; + } + + if ($type == 'object') { + + // Objects are either associative arrays, ToArrayInterface, or some other object + if ($param->getInstanceOf()) { + $instance = $param->getInstanceOf(); + if (!($value instanceof $instance)) { + $this->errors[] = "{$path} must be an instance of {$instance}"; + return false; + } + } + + // Determine whether or not this "value" has properties and should be traversed + $traverse = $temporaryValue = false; + + // Convert the value to an array + if (!$valueIsArray && $value instanceof ToArrayInterface) { + $value = $value->toArray(); + } + + if ($valueIsArray) { + // Ensure that the array is associative and not numerically indexed + if (isset($value[0])) { + $this->errors[] = "{$path} must be an array of properties. Got a numerically indexed array."; + return false; + } + $traverse = true; + } elseif ($value === null) { + // Attempt to let the contents be built up by default values if possible + $value = array(); + $temporaryValue = $valueIsArray = $traverse = true; + } + + if ($traverse) { + + if ($properties = $param->getProperties()) { + // if properties were found, the validate each property of the value + foreach ($properties as $property) { + $name = $property->getName(); + if (isset($value[$name])) { + $this->recursiveProcess($property, $value[$name], $path, $depth + 1); + } else { + $current = null; + $this->recursiveProcess($property, $current, $path, $depth + 1); + // Only set the value if it was populated with something + if ($current) { + $value[$name] = $current; + } + } + } + } + + $additional = $param->getAdditionalProperties(); + if ($additional !== true) { + // If additional properties were found, then validate each against the additionalProperties attr. + $keys = array_keys($value); + // Determine the keys that were specified that were not listed in the properties of the schema + $diff = array_diff($keys, array_keys($properties)); + if (!empty($diff)) { + // Determine which keys are not in the properties + if ($additional instanceOf Parameter) { + foreach ($diff as $key) { + $this->recursiveProcess($additional, $value[$key], "{$path}[{$key}]", $depth); + } + } else { + // if additionalProperties is set to false and there are additionalProperties in the values, then fail + $keys = array_keys($value); + $this->errors[] = sprintf('%s[%s] is not an allowed property', $path, reset($keys)); + } + } + } + + // A temporary value will be used to traverse elements that have no corresponding input value. + // This allows nested required parameters with default values to bubble up into the input. + // Here we check if we used a temp value and nothing bubbled up, then we need to remote the value. + if ($temporaryValue && empty($value)) { + $value = null; + $valueIsArray = false; + } + } + + } elseif ($type == 'array' && $valueIsArray && $param->getItems()) { + foreach ($value as $i => &$item) { + // Validate each item in an array against the items attribute of the schema + $this->recursiveProcess($param->getItems(), $item, $path . "[{$i}]", $depth + 1); + } + } + + // If the value is required and the type is not null, then there is an error if the value is not set + if ($required && $value === null && $type != 'null') { + $message = "{$path} is " . ($param->getType() ? ('a required ' . implode(' or ', (array) $param->getType())) : 'required'); + if ($param->getDescription()) { + $message .= ': ' . $param->getDescription(); + } + $this->errors[] = $message; + return false; + } + + // Validate that the type is correct. If the type is string but an integer was passed, the class can be + // instructed to cast the integer to a string to pass validation. This is the default behavior. + if ($type && (!$type = $this->determineType($type, $value))) { + if ($this->castIntegerToStringType && $param->getType() == 'string' && is_integer($value)) { + $value = (string) $value; + } else { + $this->errors[] = "{$path} must be of type " . implode(' or ', (array) $param->getType()); + } + } + + // Perform type specific validation for strings, arrays, and integers + if ($type == 'string') { + + // Strings can have enums which are a list of predefined values + if (($enum = $param->getEnum()) && !in_array($value, $enum)) { + $this->errors[] = "{$path} must be one of " . implode(' or ', array_map(function ($s) { + return '"' . addslashes($s) . '"'; + }, $enum)); + } + // Strings can have a regex pattern that the value must match + if (($pattern = $param->getPattern()) && !preg_match($pattern, $value)) { + $this->errors[] = "{$path} must match the following regular expression: {$pattern}"; + } + + $strLen = null; + if ($min = $param->getMinLength()) { + $strLen = strlen($value); + if ($strLen < $min) { + $this->errors[] = "{$path} length must be greater than or equal to {$min}"; + } + } + if ($max = $param->getMaxLength()) { + if (($strLen ?: strlen($value)) > $max) { + $this->errors[] = "{$path} length must be less than or equal to {$max}"; + } + } + + } elseif ($type == 'array') { + + $size = null; + if ($min = $param->getMinItems()) { + $size = count($value); + if ($size < $min) { + $this->errors[] = "{$path} must contain {$min} or more elements"; + } + } + if ($max = $param->getMaxItems()) { + if (($size ?: count($value)) > $max) { + $this->errors[] = "{$path} must contain {$max} or fewer elements"; + } + } + + } elseif ($type == 'integer' || $type == 'number' || $type == 'numeric') { + if (($min = $param->getMinimum()) && $value < $min) { + $this->errors[] = "{$path} must be greater than or equal to {$min}"; + } + if (($max = $param->getMaximum()) && $value > $max) { + $this->errors[] = "{$path} must be less than or equal to {$max}"; + } + } + + return empty($this->errors); + } + + /** + * From the allowable types, determine the type that the variable matches + * + * @param string $type Parameter type + * @param mixed $value Value to determine the type + * + * @return string|bool Returns the matching type on + */ + protected function determineType($type, $value) + { + foreach ((array) $type as $t) { + if ($t == 'string' && (is_string($value) || (is_object($value) && method_exists($value, '__toString')))) { + return 'string'; + } elseif ($t == 'object' && (is_array($value) || is_object($value))) { + return 'object'; + } elseif ($t == 'array' && is_array($value)) { + return 'array'; + } elseif ($t == 'integer' && is_integer($value)) { + return 'integer'; + } elseif ($t == 'boolean' && is_bool($value)) { + return 'boolean'; + } elseif ($t == 'number' && is_numeric($value)) { + return 'number'; + } elseif ($t == 'numeric' && is_numeric($value)) { + return 'numeric'; + } elseif ($t == 'null' && !$value) { + return 'null'; + } elseif ($t == 'any') { + return 'any'; + } + } + + return false; + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Service/Description/ServiceDescription.php b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Service/Description/ServiceDescription.php new file mode 100644 index 0000000000..286e65eec5 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Service/Description/ServiceDescription.php @@ -0,0 +1,271 @@ +load($config, $options); + } + + /** + * @param array $config Array of configuration data + */ + public function __construct(array $config = array()) + { + $this->fromArray($config); + } + + public function serialize() + { + return json_encode($this->toArray()); + } + + public function unserialize($json) + { + $this->operations = array(); + $this->fromArray(json_decode($json, true)); + } + + public function toArray() + { + $result = array( + 'name' => $this->name, + 'apiVersion' => $this->apiVersion, + 'baseUrl' => $this->baseUrl, + 'description' => $this->description + ) + $this->extraData; + $result['operations'] = array(); + foreach ($this->getOperations() as $name => $operation) { + $result['operations'][$operation->getName() ?: $name] = $operation->toArray(); + } + if (!empty($this->models)) { + $result['models'] = array(); + foreach ($this->models as $id => $model) { + $result['models'][$id] = $model instanceof Parameter ? $model->toArray(): $model; + } + } + + return array_filter($result); + } + + public function getBaseUrl() + { + return $this->baseUrl; + } + + /** + * Set the baseUrl of the description + * + * @param string $baseUrl Base URL of each operation + * + * @return self + */ + public function setBaseUrl($baseUrl) + { + $this->baseUrl = $baseUrl; + + return $this; + } + + public function getOperations() + { + foreach (array_keys($this->operations) as $name) { + $this->getOperation($name); + } + + return $this->operations; + } + + public function hasOperation($name) + { + return isset($this->operations[$name]); + } + + public function getOperation($name) + { + // Lazily retrieve and build operations + if (!isset($this->operations[$name])) { + return null; + } + + if (!($this->operations[$name] instanceof Operation)) { + $this->operations[$name] = new Operation($this->operations[$name], $this); + } + + return $this->operations[$name]; + } + + /** + * Add a operation to the service description + * + * @param OperationInterface $operation Operation to add + * + * @return self + */ + public function addOperation(OperationInterface $operation) + { + $this->operations[$operation->getName()] = $operation->setServiceDescription($this); + + return $this; + } + + public function getModel($id) + { + if (!isset($this->models[$id])) { + return null; + } + + if (!($this->models[$id] instanceof Parameter)) { + $this->models[$id] = new Parameter($this->models[$id] + array('name' => $id), $this); + } + + return $this->models[$id]; + } + + public function getModels() + { + // Ensure all models are converted into parameter objects + foreach (array_keys($this->models) as $id) { + $this->getModel($id); + } + + return $this->models; + } + + public function hasModel($id) + { + return isset($this->models[$id]); + } + + /** + * Add a model to the service description + * + * @param Parameter $model Model to add + * + * @return self + */ + public function addModel(Parameter $model) + { + $this->models[$model->getName()] = $model; + + return $this; + } + + public function getApiVersion() + { + return $this->apiVersion; + } + + public function getName() + { + return $this->name; + } + + public function getDescription() + { + return $this->description; + } + + public function getData($key) + { + return isset($this->extraData[$key]) ? $this->extraData[$key] : null; + } + + public function setData($key, $value) + { + $this->extraData[$key] = $value; + + return $this; + } + + /** + * Initialize the state from an array + * + * @param array $config Configuration data + * @throws InvalidArgumentException + */ + protected function fromArray(array $config) + { + // Keep a list of default keys used in service descriptions that is later used to determine extra data keys + static $defaultKeys = array('name', 'models', 'apiVersion', 'baseUrl', 'description'); + // Pull in the default configuration values + foreach ($defaultKeys as $key) { + if (isset($config[$key])) { + $this->{$key} = $config[$key]; + } + } + + // Account for the Swagger name for Guzzle's baseUrl + if (isset($config['basePath'])) { + $this->baseUrl = $config['basePath']; + } + + // Ensure that the models and operations properties are always arrays + $this->models = (array) $this->models; + $this->operations = (array) $this->operations; + + // We want to add operations differently than adding the other properties + $defaultKeys[] = 'operations'; + + // Create operations for each operation + if (isset($config['operations'])) { + foreach ($config['operations'] as $name => $operation) { + if (!($operation instanceof Operation) && !is_array($operation)) { + throw new InvalidArgumentException('Invalid operation in service description: ' + . gettype($operation)); + } + $this->operations[$name] = $operation; + } + } + + // Get all of the additional properties of the service description and store them in a data array + foreach (array_diff(array_keys($config), $defaultKeys) as $key) { + $this->extraData[$key] = $config[$key]; + } + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Service/Description/ServiceDescriptionInterface.php b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Service/Description/ServiceDescriptionInterface.php new file mode 100644 index 0000000000..5983e586b1 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Service/Description/ServiceDescriptionInterface.php @@ -0,0 +1,106 @@ + $op) { + $name = $op['name'] = isset($op['name']) ? $op['name'] : $name; + // Extend other operations + if (!empty($op['extends'])) { + $this->resolveExtension($name, $op, $operations); + } + $op['parameters'] = isset($op['parameters']) ? $op['parameters'] : array(); + $operations[$name] = $op; + } + } + + return new ServiceDescription(array( + 'apiVersion' => isset($config['apiVersion']) ? $config['apiVersion'] : null, + 'baseUrl' => isset($config['baseUrl']) ? $config['baseUrl'] : null, + 'description' => isset($config['description']) ? $config['description'] : null, + 'operations' => $operations, + 'models' => isset($config['models']) ? $config['models'] : null + ) + $config); + } + + /** + * @param string $name Name of the operation + * @param array $op Operation value array + * @param array $operations Currently loaded operations + * @throws DescriptionBuilderException when extending a non-existent operation + */ + protected function resolveExtension($name, array &$op, array &$operations) + { + $resolved = array(); + $original = empty($op['parameters']) ? false: $op['parameters']; + $hasClass = !empty($op['class']); + foreach ((array) $op['extends'] as $extendedCommand) { + if (empty($operations[$extendedCommand])) { + throw new DescriptionBuilderException("{$name} extends missing operation {$extendedCommand}"); + } + $toArray = $operations[$extendedCommand]; + $resolved = empty($resolved) + ? $toArray['parameters'] + : array_merge($resolved, $toArray['parameters']); + + $op = $op + $toArray; + if (!$hasClass && isset($toArray['class'])) { + $op['class'] = $toArray['class']; + } + } + $op['parameters'] = $original ? array_merge($resolved, $original) : $resolved; + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Service/Description/ValidatorInterface.php b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Service/Description/ValidatorInterface.php new file mode 100644 index 0000000000..94ca77da47 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Service/Description/ValidatorInterface.php @@ -0,0 +1,28 @@ +getMessage(), $e->getCode(), $e->getPrevious()); + + return $ce->setExceptions($e->getIterator()->getArrayCopy()) + ->setSuccessfulRequests($e->getSuccessfulRequests()) + ->setFailedRequests($e->getFailedRequests()); + } + + /** + * Get all of the commands in the transfer + * + * @return array + */ + public function getAllCommands() + { + return array_merge($this->successfulCommands, $this->failedCommands); + } + + /** + * Add to the array of successful commands + * + * @param CommandInterface $command Successful command + * + * @return self + */ + public function addSuccessfulCommand(CommandInterface $command) + { + $this->successfulCommands[] = $command; + + return $this; + } + + /** + * Add to the array of failed commands + * + * @param CommandInterface $command Failed command + * + * @return self + */ + public function addFailedCommand(CommandInterface $command) + { + $this->failedCommands[] = $command; + + return $this; + } + + /** + * Get an array of successful commands + * + * @return array + */ + public function getSuccessfulCommands() + { + return $this->successfulCommands; + } + + /** + * Get an array of failed commands + * + * @return array + */ + public function getFailedCommands() + { + return $this->failedCommands; + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Service/Exception/DescriptionBuilderException.php b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Service/Exception/DescriptionBuilderException.php new file mode 100644 index 0000000000..1407e56878 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Service/Exception/DescriptionBuilderException.php @@ -0,0 +1,7 @@ +invalidCommands = $commands; + parent::__construct( + 'Encountered commands in a batch transfer that use inconsistent clients. The batching ' . + 'strategy you use with a command transfer must divide command batches by client.' + ); + } + + /** + * Get the invalid commands + * + * @return array + */ + public function getCommands() + { + return $this->invalidCommands; + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Service/Exception/ResponseClassException.php b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Service/Exception/ResponseClassException.php new file mode 100644 index 0000000000..d59ff21851 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Service/Exception/ResponseClassException.php @@ -0,0 +1,9 @@ +errors = $errors; + } + + /** + * Get any validation errors + * + * @return array + */ + public function getErrors() + { + return $this->errors; + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Service/Resource/AbstractResourceIteratorFactory.php b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Service/Resource/AbstractResourceIteratorFactory.php new file mode 100644 index 0000000000..21140e772c --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Service/Resource/AbstractResourceIteratorFactory.php @@ -0,0 +1,37 @@ +canBuild($command)) { + throw new InvalidArgumentException('Iterator was not found for ' . $command->getName()); + } + + $className = $this->getClassName($command); + + return new $className($command, $options); + } + + public function canBuild(CommandInterface $command) + { + return (bool) $this->getClassName($command); + } + + /** + * Get the name of the class to instantiate for the command + * + * @param CommandInterface $command Command that is associated with the iterator + * + * @return string + */ + abstract protected function getClassName(CommandInterface $command); +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Service/Resource/CompositeResourceIteratorFactory.php b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Service/Resource/CompositeResourceIteratorFactory.php new file mode 100644 index 0000000000..2efc133c65 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Service/Resource/CompositeResourceIteratorFactory.php @@ -0,0 +1,67 @@ +factories = $factories; + } + + public function build(CommandInterface $command, array $options = array()) + { + if (!($factory = $this->getFactory($command))) { + throw new InvalidArgumentException('Iterator was not found for ' . $command->getName()); + } + + return $factory->build($command, $options); + } + + public function canBuild(CommandInterface $command) + { + return $this->getFactory($command) !== false; + } + + /** + * Add a factory to the composite factory + * + * @param ResourceIteratorFactoryInterface $factory Factory to add + * + * @return self + */ + public function addFactory(ResourceIteratorFactoryInterface $factory) + { + $this->factories[] = $factory; + + return $this; + } + + /** + * Get the factory that matches the command object + * + * @param CommandInterface $command Command retrieving the iterator for + * + * @return ResourceIteratorFactoryInterface|bool + */ + protected function getFactory(CommandInterface $command) + { + foreach ($this->factories as $factory) { + if ($factory->canBuild($command)) { + return $factory; + } + } + + return false; + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Service/Resource/MapResourceIteratorFactory.php b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Service/Resource/MapResourceIteratorFactory.php new file mode 100644 index 0000000000..c71ca9d85e --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Service/Resource/MapResourceIteratorFactory.php @@ -0,0 +1,34 @@ +map = $map; + } + + public function getClassName(CommandInterface $command) + { + $className = $command->getName(); + + if (isset($this->map[$className])) { + return $this->map[$className]; + } elseif (isset($this->map['*'])) { + // If a wildcard was added, then always use that + return $this->map['*']; + } + + return null; + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Service/Resource/Model.php b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Service/Resource/Model.php new file mode 100644 index 0000000000..d146b3ecb3 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Service/Resource/Model.php @@ -0,0 +1,57 @@ +data = $data; + $this->structure = $structure ?: new Parameter(); + } + + /** + * Get the structure of the model + * + * @return Parameter + */ + public function getStructure() + { + return $this->structure; + } + + /** + * Provides debug information about the model object + * + * @return string + */ + public function __toString() + { + $output = 'Debug output of ' . ($this->structure->getName() ?: ' the model'); + $output = str_repeat('=', strlen($output)) . "\n" . $output . "\n" . str_repeat('=', strlen($output)) . "\n\n"; + $output .= "Model data\n-----------\n\n"; + $output .= "This data can be retrieved from the model object using the get() method of the model " + . "(e.g. \$model->get(\$key)) or accessing the model like an associative array (e.g. \$model['key']).\n\n"; + $lines = array_slice(explode("\n", trim(print_r($this->toArray(), true))), 2, -1); + $output .= implode("\n", $lines) . "\n\n"; + $output .= "Model structure\n---------------\n\n"; + $output .= "The following JSON document defines how the model was parsed from an HTTP response into the " + . "associative array strucure you see above.\n\n"; + $output .= ' ' . json_encode($this->structure->toArray()) . "\n\n"; + + return $output; + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Service/Resource/ResourceIterator.php b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Service/Resource/ResourceIterator.php new file mode 100644 index 0000000000..e141524325 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Service/Resource/ResourceIterator.php @@ -0,0 +1,254 @@ +originalCommand = $command; + + // Parse options from the array of options + $this->data = $data; + $this->limit = array_key_exists('limit', $data) ? $data['limit'] : 0; + $this->pageSize = array_key_exists('page_size', $data) ? $data['page_size'] : false; + } + + /** + * Get all of the resources as an array (Warning: this could issue a large number of requests) + * + * @return array + */ + public function toArray() + { + return iterator_to_array($this, false); + } + + public function setLimit($limit) + { + $this->limit = $limit; + $this->resetState(); + + return $this; + } + + public function setPageSize($pageSize) + { + $this->pageSize = $pageSize; + $this->resetState(); + + return $this; + } + + /** + * Get an option from the iterator + * + * @param string $key Key of the option to retrieve + * + * @return mixed|null Returns NULL if not set or the value if set + */ + public function get($key) + { + return array_key_exists($key, $this->data) ? $this->data[$key] : null; + } + + /** + * Set an option on the iterator + * + * @param string $key Key of the option to set + * @param mixed $value Value to set for the option + * + * @return ResourceIterator + */ + public function set($key, $value) + { + $this->data[$key] = $value; + + return $this; + } + + public function current() + { + return $this->resources ? current($this->resources) : false; + } + + public function key() + { + return max(0, $this->iteratedCount - 1); + } + + public function count() + { + return $this->retrievedCount; + } + + /** + * Get the total number of requests sent + * + * @return int + */ + public function getRequestCount() + { + return $this->requestCount; + } + + /** + * Rewind the Iterator to the first element and send the original command + */ + public function rewind() + { + // Use the original command + $this->command = clone $this->originalCommand; + $this->resetState(); + $this->next(); + } + + public function valid() + { + return !$this->invalid && (!$this->resources || $this->current() || $this->nextToken) + && (!$this->limit || $this->iteratedCount < $this->limit + 1); + } + + public function next() + { + $this->iteratedCount++; + + // Check if a new set of resources needs to be retrieved + $sendRequest = false; + if (!$this->resources) { + $sendRequest = true; + } else { + // iterate over the internal array + $current = next($this->resources); + $sendRequest = $current === false && $this->nextToken && (!$this->limit || $this->iteratedCount < $this->limit + 1); + } + + if ($sendRequest) { + + $this->dispatch('resource_iterator.before_send', array( + 'iterator' => $this, + 'resources' => $this->resources + )); + + // Get a new command object from the original command + $this->command = clone $this->originalCommand; + // Send a request and retrieve the newly loaded resources + $this->resources = $this->sendRequest(); + $this->requestCount++; + + // If no resources were found, then the last request was not needed + // and iteration must stop + if (empty($this->resources)) { + $this->invalid = true; + } else { + // Add to the number of retrieved resources + $this->retrievedCount += count($this->resources); + // Ensure that we rewind to the beginning of the array + reset($this->resources); + } + + $this->dispatch('resource_iterator.after_send', array( + 'iterator' => $this, + 'resources' => $this->resources + )); + } + } + + /** + * Retrieve the NextToken that can be used in other iterators. + * + * @return string Returns a NextToken + */ + public function getNextToken() + { + return $this->nextToken; + } + + /** + * Returns the value that should be specified for the page size for a request that will maintain any hard limits, + * but still honor the specified pageSize if the number of items retrieved + pageSize < hard limit + * + * @return int Returns the page size of the next request. + */ + protected function calculatePageSize() + { + if ($this->limit && $this->iteratedCount + $this->pageSize > $this->limit) { + return 1 + ($this->limit - $this->iteratedCount); + } + + return (int) $this->pageSize; + } + + /** + * Reset the internal state of the iterator without triggering a rewind() + */ + protected function resetState() + { + $this->iteratedCount = 0; + $this->retrievedCount = 0; + $this->nextToken = false; + $this->resources = null; + $this->invalid = false; + } + + /** + * Send a request to retrieve the next page of results. Hook for subclasses to implement. + * + * @return array Returns the newly loaded resources + */ + abstract protected function sendRequest(); +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Service/Resource/ResourceIteratorApplyBatched.php b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Service/Resource/ResourceIteratorApplyBatched.php new file mode 100644 index 0000000000..6aa36153fc --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Service/Resource/ResourceIteratorApplyBatched.php @@ -0,0 +1,111 @@ +iterator = $iterator; + $this->callback = $callback; + Version::warn(__CLASS__ . ' is deprecated'); + } + + /** + * Apply the callback to the contents of the resource iterator + * + * @param int $perBatch The number of records to group per batch transfer + * + * @return int Returns the number of iterated resources + */ + public function apply($perBatch = 50) + { + $this->iterated = $this->batches = $batches = 0; + $that = $this; + $it = $this->iterator; + $callback = $this->callback; + + $batch = BatchBuilder::factory() + ->createBatchesWith(new BatchSizeDivisor($perBatch)) + ->transferWith(new BatchClosureTransfer(function (array $batch) use ($that, $callback, &$batches, $it) { + $batches++; + $that->dispatch('iterator_batch.before_batch', array('iterator' => $it, 'batch' => $batch)); + call_user_func_array($callback, array($it, $batch)); + $that->dispatch('iterator_batch.after_batch', array('iterator' => $it, 'batch' => $batch)); + })) + ->autoFlushAt($perBatch) + ->build(); + + $this->dispatch('iterator_batch.created_batch', array('batch' => $batch)); + + foreach ($this->iterator as $resource) { + $this->iterated++; + $batch->add($resource); + } + + $batch->flush(); + $this->batches = $batches; + + return $this->iterated; + } + + /** + * Get the total number of batches sent + * + * @return int + */ + public function getBatchCount() + { + return $this->batches; + } + + /** + * Get the total number of iterated resources + * + * @return int + */ + public function getIteratedCount() + { + return $this->iterated; + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Service/Resource/ResourceIteratorClassFactory.php b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Service/Resource/ResourceIteratorClassFactory.php new file mode 100644 index 0000000000..2fd9980717 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Service/Resource/ResourceIteratorClassFactory.php @@ -0,0 +1,60 @@ + AbcFoo). + */ +class ResourceIteratorClassFactory extends AbstractResourceIteratorFactory +{ + /** @var array List of namespaces used to look for classes */ + protected $namespaces; + + /** @var InflectorInterface Inflector used to determine class names */ + protected $inflector; + + /** + * @param string|array $namespaces List of namespaces for iterator objects + * @param InflectorInterface $inflector Inflector used to resolve class names + */ + public function __construct($namespaces = array(), InflectorInterface $inflector = null) + { + $this->namespaces = (array) $namespaces; + $this->inflector = $inflector ?: Inflector::getDefault(); + } + + /** + * Registers a namespace to check for Iterators + * + * @param string $namespace Namespace which contains Iterator classes + * + * @return self + */ + public function registerNamespace($namespace) + { + array_unshift($this->namespaces, $namespace); + + return $this; + } + + protected function getClassName(CommandInterface $command) + { + $iteratorName = $this->inflector->camel($command->getName()) . 'Iterator'; + + // Determine the name of the class to load + foreach ($this->namespaces as $namespace) { + $potentialClassName = $namespace . '\\' . $iteratorName; + if (class_exists($potentialClassName)) { + return $potentialClassName; + } + } + + return false; + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Service/Resource/ResourceIteratorFactoryInterface.php b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Service/Resource/ResourceIteratorFactoryInterface.php new file mode 100644 index 0000000000..8b4e8dbe0a --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Service/Resource/ResourceIteratorFactoryInterface.php @@ -0,0 +1,30 @@ +contextOptions = stream_context_get_options($context); + $this->context = $context; + } elseif (is_array($context) || !$context) { + $this->contextOptions = $context; + $this->createContext($params); + } elseif ($context) { + throw new InvalidArgumentException('$context must be an array or resource'); + } + + $this->setUrl($request); + $this->addDefaultContextOptions($request); + $this->addSslOptions($request); + $this->addBodyOptions($request); + $this->addProxyOptions($request); + + // Dispatch the before send event + $request->dispatch('request.before_send', array( + 'request' => $request, + 'context' => $this->context, + 'context_options' => $this->contextOptions + )); + + // Create the file handle but silence errors + return $this->createStream($params) + ->setCustomData('request', $request) + ->setCustomData('response_headers', $this->getLastResponseHeaders()); + } + + /** + * Set an option on the context and the internal options array + * + * @param string $wrapper Stream wrapper name of http + * @param string $name Context name + * @param mixed $value Context value + * @param bool $overwrite Set to true to overwrite an existing value + */ + protected function setContextValue($wrapper, $name, $value, $overwrite = false) + { + if (!isset($this->contextOptions[$wrapper])) { + $this->contextOptions[$wrapper] = array($name => $value); + } elseif (!$overwrite && isset($this->contextOptions[$wrapper][$name])) { + return; + } + $this->contextOptions[$wrapper][$name] = $value; + stream_context_set_option($this->context, $wrapper, $name, $value); + } + + /** + * Create a stream context + * + * @param array $params Parameter array + */ + protected function createContext(array $params) + { + $options = $this->contextOptions; + $this->context = $this->createResource(function () use ($params, $options) { + return stream_context_create($options, $params); + }); + } + + /** + * Get the last response headers received by the HTTP request + * + * @return array + */ + public function getLastResponseHeaders() + { + return $this->lastResponseHeaders; + } + + /** + * Adds the default context options to the stream context options + * + * @param RequestInterface $request Request + */ + protected function addDefaultContextOptions(RequestInterface $request) + { + $this->setContextValue('http', 'method', $request->getMethod()); + $this->setContextValue('http', 'header', $request->getHeaderLines()); + // Force 1.0 for now until PHP fully support chunked transfer-encoding decoding + $this->setContextValue('http', 'protocol_version', '1.0'); + $this->setContextValue('http', 'ignore_errors', true); + } + + /** + * Set the URL to use with the factory + * + * @param RequestInterface $request Request that owns the URL + */ + protected function setUrl(RequestInterface $request) + { + $this->url = $request->getUrl(true); + + // Check for basic Auth username + if ($request->getUsername()) { + $this->url->setUsername($request->getUsername()); + } + + // Check for basic Auth password + if ($request->getPassword()) { + $this->url->setPassword($request->getPassword()); + } + } + + /** + * Add SSL options to the stream context + * + * @param RequestInterface $request Request + */ + protected function addSslOptions(RequestInterface $request) + { + if ($verify = $request->getCurlOptions()->get(CURLOPT_SSL_VERIFYPEER)) { + $this->setContextValue('ssl', 'verify_peer', true, true); + if ($cafile = $request->getCurlOptions()->get(CURLOPT_CAINFO)) { + $this->setContextValue('ssl', 'cafile', $cafile, true); + } + } else { + $this->setContextValue('ssl', 'verify_peer', false, true); + } + } + + /** + * Add body (content) specific options to the context options + * + * @param RequestInterface $request + */ + protected function addBodyOptions(RequestInterface $request) + { + // Add the content for the request if needed + if (!($request instanceof EntityEnclosingRequestInterface)) { + return; + } + + if (count($request->getPostFields())) { + $this->setContextValue('http', 'content', (string) $request->getPostFields(), true); + } elseif ($request->getBody()) { + $this->setContextValue('http', 'content', (string) $request->getBody(), true); + } + + // Always ensure a content-length header is sent + if (isset($this->contextOptions['http']['content'])) { + $headers = isset($this->contextOptions['http']['header']) ? $this->contextOptions['http']['header'] : array(); + $headers[] = 'Content-Length: ' . strlen($this->contextOptions['http']['content']); + $this->setContextValue('http', 'header', $headers, true); + } + } + + /** + * Add proxy parameters to the context if needed + * + * @param RequestInterface $request Request + */ + protected function addProxyOptions(RequestInterface $request) + { + if ($proxy = $request->getCurlOptions()->get(CURLOPT_PROXY)) { + $this->setContextValue('http', 'proxy', $proxy); + } + } + + /** + * Create the stream for the request with the context options + * + * @param array $params Parameters of the stream + * + * @return StreamInterface + */ + protected function createStream(array $params) + { + $http_response_header = null; + $url = $this->url; + $context = $this->context; + $fp = $this->createResource(function () use ($context, $url, &$http_response_header) { + return fopen((string) $url, 'r', false, $context); + }); + + // Determine the class to instantiate + $className = isset($params['stream_class']) ? $params['stream_class'] : __NAMESPACE__ . '\\Stream'; + + /** @var $stream StreamInterface */ + $stream = new $className($fp); + + // Track the response headers of the request + if (isset($http_response_header)) { + $this->lastResponseHeaders = $http_response_header; + $this->processResponseHeaders($stream); + } + + return $stream; + } + + /** + * Process response headers + * + * @param StreamInterface $stream + */ + protected function processResponseHeaders(StreamInterface $stream) + { + // Set the size on the stream if it was returned in the response + foreach ($this->lastResponseHeaders as $header) { + if (($pos = stripos($header, 'Content-Length:')) === 0) { + $stream->setSize(trim(substr($header, 15))); + } + } + } + + /** + * Create a resource and check to ensure it was created successfully + * + * @param callable $callback Closure to invoke that must return a valid resource + * + * @return resource + * @throws RuntimeException on error + */ + protected function createResource($callback) + { + // Turn off error reporting while we try to initiate the request + $level = error_reporting(0); + $resource = call_user_func($callback); + error_reporting($level); + + // If the resource could not be created, then grab the last error and throw an exception + if (false === $resource) { + $message = 'Error creating resource. '; + foreach (error_get_last() as $key => $value) { + $message .= "[{$key}] {$value} "; + } + throw new RuntimeException(trim($message)); + } + + return $resource; + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Stream/Stream.php b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Stream/Stream.php new file mode 100644 index 0000000000..e222e02ebe --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Stream/Stream.php @@ -0,0 +1,294 @@ + array( + 'r' => true, 'w+' => true, 'r+' => true, 'x+' => true, 'c+' => true, + 'rb' => true, 'w+b' => true, 'r+b' => true, 'x+b' => true, 'c+b' => true, + 'rt' => true, 'w+t' => true, 'r+t' => true, 'x+t' => true, 'c+t' => true, 'a+' => true + ), + 'write' => array( + 'w' => true, 'w+' => true, 'rw' => true, 'r+' => true, 'x+' => true, 'c+' => true, + 'wb' => true, 'w+b' => true, 'r+b' => true, 'x+b' => true, 'c+b' => true, + 'w+t' => true, 'r+t' => true, 'x+t' => true, 'c+t' => true, 'a' => true, 'a+' => true + ) + ); + + /** + * @param resource $stream Stream resource to wrap + * @param int $size Size of the stream in bytes. Only pass if the size cannot be obtained from the stream. + * + * @throws InvalidArgumentException if the stream is not a stream resource + */ + public function __construct($stream, $size = null) + { + $this->setStream($stream, $size); + } + + /** + * Closes the stream when the helper is destructed + */ + public function __destruct() + { + $this->close(); + } + + public function __toString() + { + if (!$this->isReadable() || (!$this->isSeekable() && $this->isConsumed())) { + return ''; + } + + $originalPos = $this->ftell(); + $body = stream_get_contents($this->stream, -1, 0); + $this->seek($originalPos); + + return $body; + } + + public function close() + { + if (is_resource($this->stream)) { + fclose($this->stream); + } + $this->cache[self::IS_READABLE] = false; + $this->cache[self::IS_WRITABLE] = false; + } + + /** + * Calculate a hash of a Stream + * + * @param StreamInterface $stream Stream to calculate the hash for + * @param string $algo Hash algorithm (e.g. md5, crc32, etc) + * @param bool $rawOutput Whether or not to use raw output + * + * @return bool|string Returns false on failure or a hash string on success + */ + public static function getHash(StreamInterface $stream, $algo, $rawOutput = false) + { + $pos = $stream->ftell(); + if (!$stream->seek(0)) { + return false; + } + + $ctx = hash_init($algo); + while ($data = $stream->read(8192)) { + hash_update($ctx, $data); + } + + $out = hash_final($ctx, (bool) $rawOutput); + $stream->seek($pos); + + return $out; + } + + public function getMetaData($key = null) + { + $meta = stream_get_meta_data($this->stream); + + return !$key ? $meta : (array_key_exists($key, $meta) ? $meta[$key] : null); + } + + public function getStream() + { + return $this->stream; + } + + public function setStream($stream, $size = null) + { + if (!is_resource($stream)) { + throw new InvalidArgumentException('Stream must be a resource'); + } + + $this->size = $size; + $this->stream = $stream; + $this->rebuildCache(); + + return $this; + } + + public function detachStream() + { + $this->stream = null; + + return $this; + } + + public function getWrapper() + { + return $this->cache[self::WRAPPER_TYPE]; + } + + public function getWrapperData() + { + return $this->getMetaData('wrapper_data') ?: array(); + } + + public function getStreamType() + { + return $this->cache[self::STREAM_TYPE]; + } + + public function getUri() + { + return $this->cache['uri']; + } + + public function getSize() + { + if ($this->size !== null) { + return $this->size; + } + + // If the stream is a file based stream and local, then use fstat + clearstatcache(true, $this->cache['uri']); + $stats = fstat($this->stream); + if (isset($stats['size'])) { + $this->size = $stats['size']; + return $this->size; + } elseif ($this->cache[self::IS_READABLE] && $this->cache[self::SEEKABLE]) { + // Only get the size based on the content if the the stream is readable and seekable + $pos = $this->ftell(); + $this->size = strlen((string) $this); + $this->seek($pos); + return $this->size; + } + + return false; + } + + public function isReadable() + { + return $this->cache[self::IS_READABLE]; + } + + public function isRepeatable() + { + return $this->cache[self::IS_READABLE] && $this->cache[self::SEEKABLE]; + } + + public function isWritable() + { + return $this->cache[self::IS_WRITABLE]; + } + + public function isConsumed() + { + return feof($this->stream); + } + + public function feof() + { + return $this->isConsumed(); + } + + public function isLocal() + { + return $this->cache[self::IS_LOCAL]; + } + + public function isSeekable() + { + return $this->cache[self::SEEKABLE]; + } + + public function setSize($size) + { + $this->size = $size; + + return $this; + } + + public function seek($offset, $whence = SEEK_SET) + { + return $this->cache[self::SEEKABLE] ? fseek($this->stream, $offset, $whence) === 0 : false; + } + + public function read($length) + { + return $this->cache[self::IS_READABLE] ? fread($this->stream, $length) : false; + } + + public function write($string) + { + if (!$this->cache[self::IS_WRITABLE]) { + return 0; + } + + $bytes = fwrite($this->stream, $string); + // We can't know the size after writing anything + $this->size = null; + + return $bytes; + } + + public function ftell() + { + return ftell($this->stream); + } + + public function rewind() + { + return $this->seek(0); + } + + public function readLine($maxLength = null) + { + if (!$this->cache[self::IS_READABLE]) { + return false; + } else { + return $maxLength ? fgets($this->getStream(), $maxLength) : fgets($this->getStream()); + } + } + + public function setCustomData($key, $value) + { + $this->customData[$key] = $value; + + return $this; + } + + public function getCustomData($key) + { + return isset($this->customData[$key]) ? $this->customData[$key] : null; + } + + /** + * Reprocess stream metadata + */ + protected function rebuildCache() + { + $this->cache = stream_get_meta_data($this->stream); + $this->cache[self::IS_LOCAL] = stream_is_local($this->stream); + $this->cache[self::IS_READABLE] = isset(self::$readWriteHash['read'][$this->cache['mode']]); + $this->cache[self::IS_WRITABLE] = isset(self::$readWriteHash['write'][$this->cache['mode']]); + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Stream/StreamInterface.php b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Stream/StreamInterface.php new file mode 100644 index 0000000000..6d7dc37613 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Guzzle/Stream/StreamInterface.php @@ -0,0 +1,218 @@ + + * + * For the full copyright and license information, please view the LICENSE + * file that was distributed with this source code. + */ + +namespace Monolog\Formatter; + +use Monolog\Logger; + +/** + * Formats a log message according to the ChromePHP array format + * + * @author Christophe Coevoet + */ +class ChromePHPFormatter implements FormatterInterface +{ + /** + * Translates Monolog log levels to Wildfire levels. + */ + private $logLevels = array( + Logger::DEBUG => 'log', + Logger::INFO => 'info', + Logger::NOTICE => 'info', + Logger::WARNING => 'warn', + Logger::ERROR => 'error', + Logger::CRITICAL => 'error', + Logger::ALERT => 'error', + Logger::EMERGENCY => 'error', + ); + + /** + * {@inheritdoc} + */ + public function format(array $record) + { + // Retrieve the line and file if set and remove them from the formatted extra + $backtrace = 'unknown'; + if (isset($record['extra']['file']) && isset($record['extra']['line'])) { + $backtrace = $record['extra']['file'].' : '.$record['extra']['line']; + unset($record['extra']['file']); + unset($record['extra']['line']); + } + + $message = array('message' => $record['message']); + if ($record['context']) { + $message['context'] = $record['context']; + } + if ($record['extra']) { + $message['extra'] = $record['extra']; + } + if (count($message) === 1) { + $message = reset($message); + } + + return array( + $record['channel'], + $message, + $backtrace, + $this->logLevels[$record['level']], + ); + } + + public function formatBatch(array $records) + { + $formatted = array(); + + foreach ($records as $record) { + $formatted[] = $this->format($record); + } + + return $formatted; + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Monolog/Formatter/FormatterInterface.php b/apps/files_external/3rdparty/aws-sdk-php/Monolog/Formatter/FormatterInterface.php new file mode 100644 index 0000000000..b5de751112 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Monolog/Formatter/FormatterInterface.php @@ -0,0 +1,36 @@ + + * + * For the full copyright and license information, please view the LICENSE + * file that was distributed with this source code. + */ + +namespace Monolog\Formatter; + +/** + * Interface for formatters + * + * @author Jordi Boggiano + */ +interface FormatterInterface +{ + /** + * Formats a log record. + * + * @param array $record A record to format + * @return mixed The formatted record + */ + public function format(array $record); + + /** + * Formats a set of log records. + * + * @param array $records A set of records to format + * @return mixed The formatted set of records + */ + public function formatBatch(array $records); +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Monolog/Formatter/GelfMessageFormatter.php b/apps/files_external/3rdparty/aws-sdk-php/Monolog/Formatter/GelfMessageFormatter.php new file mode 100644 index 0000000000..aa01f491eb --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Monolog/Formatter/GelfMessageFormatter.php @@ -0,0 +1,94 @@ + + * + * For the full copyright and license information, please view the LICENSE + * file that was distributed with this source code. + */ + +namespace Monolog\Formatter; + +use Monolog\Logger; +use Gelf\Message; + +/** + * Serializes a log message to GELF + * @see http://www.graylog2.org/about/gelf + * + * @author Matt Lehner + */ +class GelfMessageFormatter extends NormalizerFormatter +{ + /** + * @var string the name of the system for the Gelf log message + */ + protected $systemName; + + /** + * @var string a prefix for 'extra' fields from the Monolog record (optional) + */ + protected $extraPrefix; + + /** + * @var string a prefix for 'context' fields from the Monolog record (optional) + */ + protected $contextPrefix; + + /** + * Translates Monolog log levels to Graylog2 log priorities. + */ + private $logLevels = array( + Logger::DEBUG => 7, + Logger::INFO => 6, + Logger::NOTICE => 5, + Logger::WARNING => 4, + Logger::ERROR => 3, + Logger::CRITICAL => 2, + Logger::ALERT => 1, + Logger::EMERGENCY => 0, + ); + + public function __construct($systemName = null, $extraPrefix = null, $contextPrefix = 'ctxt_') + { + parent::__construct('U.u'); + + $this->systemName = $systemName ?: gethostname(); + + $this->extraPrefix = $extraPrefix; + $this->contextPrefix = $contextPrefix; + } + + /** + * {@inheritdoc} + */ + public function format(array $record) + { + $record = parent::format($record); + $message = new Message(); + $message + ->setTimestamp($record['datetime']) + ->setShortMessage((string) $record['message']) + ->setFacility($record['channel']) + ->setHost($this->systemName) + ->setLine(isset($record['extra']['line']) ? $record['extra']['line'] : null) + ->setFile(isset($record['extra']['file']) ? $record['extra']['file'] : null) + ->setLevel($this->logLevels[$record['level']]); + + // Do not duplicate these values in the additional fields + unset($record['extra']['line']); + unset($record['extra']['file']); + + foreach ($record['extra'] as $key => $val) { + $message->setAdditional($this->extraPrefix . $key, is_scalar($val) ? $val : $this->toJson($val)); + } + + foreach ($record['context'] as $key => $val) { + $message->setAdditional($this->contextPrefix . $key, is_scalar($val) ? $val : $this->toJson($val)); + } + + return $message; + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Monolog/Formatter/JsonFormatter.php b/apps/files_external/3rdparty/aws-sdk-php/Monolog/Formatter/JsonFormatter.php new file mode 100644 index 0000000000..822af0ea43 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Monolog/Formatter/JsonFormatter.php @@ -0,0 +1,38 @@ + + * + * For the full copyright and license information, please view the LICENSE + * file that was distributed with this source code. + */ + +namespace Monolog\Formatter; + +/** + * Encodes whatever record data is passed to it as json + * + * This can be useful to log to databases or remote APIs + * + * @author Jordi Boggiano + */ +class JsonFormatter implements FormatterInterface +{ + /** + * {@inheritdoc} + */ + public function format(array $record) + { + return json_encode($record); + } + + /** + * {@inheritdoc} + */ + public function formatBatch(array $records) + { + return json_encode($records); + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Monolog/Formatter/LineFormatter.php b/apps/files_external/3rdparty/aws-sdk-php/Monolog/Formatter/LineFormatter.php new file mode 100644 index 0000000000..40b79e8ea1 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Monolog/Formatter/LineFormatter.php @@ -0,0 +1,95 @@ + + * + * For the full copyright and license information, please view the LICENSE + * file that was distributed with this source code. + */ + +namespace Monolog\Formatter; + +/** + * Formats incoming records into a one-line string + * + * This is especially useful for logging to files + * + * @author Jordi Boggiano + * @author Christophe Coevoet + */ +class LineFormatter extends NormalizerFormatter +{ + const SIMPLE_FORMAT = "[%datetime%] %channel%.%level_name%: %message% %context% %extra%\n"; + + protected $format; + + /** + * @param string $format The format of the message + * @param string $dateFormat The format of the timestamp: one supported by DateTime::format + */ + public function __construct($format = null, $dateFormat = null) + { + $this->format = $format ?: static::SIMPLE_FORMAT; + parent::__construct($dateFormat); + } + + /** + * {@inheritdoc} + */ + public function format(array $record) + { + $vars = parent::format($record); + + $output = $this->format; + foreach ($vars['extra'] as $var => $val) { + if (false !== strpos($output, '%extra.'.$var.'%')) { + $output = str_replace('%extra.'.$var.'%', $this->convertToString($val), $output); + unset($vars['extra'][$var]); + } + } + foreach ($vars as $var => $val) { + $output = str_replace('%'.$var.'%', $this->convertToString($val), $output); + } + + return $output; + } + + public function formatBatch(array $records) + { + $message = ''; + foreach ($records as $record) { + $message .= $this->format($record); + } + + return $message; + } + + protected function normalize($data) + { + if (is_bool($data) || is_null($data)) { + return var_export($data, true); + } + + if ($data instanceof \Exception) { + return '[object] ('.get_class($data).': '.$data->getMessage().' at '.$data->getFile().':'.$data->getLine().')'; + } + + return parent::normalize($data); + } + + protected function convertToString($data) + { + if (null === $data || is_scalar($data)) { + return (string) $data; + } + + $data = $this->normalize($data); + if (version_compare(PHP_VERSION, '5.4.0', '>=')) { + return $this->toJson($data); + } + + return str_replace('\\/', '/', json_encode($data)); + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Monolog/Formatter/LogstashFormatter.php b/apps/files_external/3rdparty/aws-sdk-php/Monolog/Formatter/LogstashFormatter.php new file mode 100644 index 0000000000..7aa8ad33cb --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Monolog/Formatter/LogstashFormatter.php @@ -0,0 +1,98 @@ + + * + * For the full copyright and license information, please view the LICENSE + * file that was distributed with this source code. + */ + +namespace Monolog\Formatter; + +/** + * Serializes a log message to Logstash Event Format + * + * @see http://logstash.net/ + * @see https://github.com/logstash/logstash/blob/master/lib/logstash/event.rb + * + * @author Tim Mower + */ +class LogstashFormatter extends NormalizerFormatter +{ + /** + * @var string the name of the system for the Logstash log message, used to fill the @source field + */ + protected $systemName; + + /** + * @var string an application name for the Logstash log message, used to fill the @type field + */ + protected $applicationName; + + /** + * @var string a prefix for 'extra' fields from the Monolog record (optional) + */ + protected $extraPrefix; + + /** + * @var string a prefix for 'context' fields from the Monolog record (optional) + */ + protected $contextPrefix; + + /** + * @param string $applicationName the application that sends the data, used as the "type" field of logstash + * @param string $systemName the system/machine name, used as the "source" field of logstash, defaults to the hostname of the machine + * @param string $extraPrefix prefix for extra keys inside logstash "fields" + * @param string $contextPrefix prefix for context keys inside logstash "fields", defaults to ctxt_ + */ + public function __construct($applicationName, $systemName = null, $extraPrefix = null, $contextPrefix = 'ctxt_') + { + //log stash requires a ISO 8601 format date + parent::__construct('c'); + + $this->systemName = $systemName ?: gethostname(); + $this->applicationName = $applicationName; + + $this->extraPrefix = $extraPrefix; + $this->contextPrefix = $contextPrefix; + } + + /** + * {@inheritdoc} + */ + public function format(array $record) + { + $record = parent::format($record); + $message = array( + '@timestamp' => $record['datetime'], + '@message' => $record['message'], + '@tags' => array($record['channel']), + '@source' => $this->systemName + ); + + if ($this->applicationName) { + $message['@type'] = $this->applicationName; + } + $message['@fields'] = array(); + $message['@fields']['channel'] = $record['channel']; + $message['@fields']['level'] = $record['level']; + + if (isset($record['extra']['server'])) { + $message['@source_host'] = $record['extra']['server']; + } + if (isset($record['extra']['url'])) { + $message['@source_path'] = $record['extra']['url']; + } + foreach ($record['extra'] as $key => $val) { + $message['@fields'][$this->extraPrefix . $key] = $val; + } + + foreach ($record['context'] as $key => $val) { + $message['@fields'][$this->contextPrefix . $key] = $val; + } + + return json_encode($message) . "\n"; + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Monolog/Formatter/NormalizerFormatter.php b/apps/files_external/3rdparty/aws-sdk-php/Monolog/Formatter/NormalizerFormatter.php new file mode 100644 index 0000000000..c8b05fba8e --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Monolog/Formatter/NormalizerFormatter.php @@ -0,0 +1,101 @@ + + * + * For the full copyright and license information, please view the LICENSE + * file that was distributed with this source code. + */ + +namespace Monolog\Formatter; + +/** + * Normalizes incoming records to remove objects/resources so it's easier to dump to various targets + * + * @author Jordi Boggiano + */ +class NormalizerFormatter implements FormatterInterface +{ + const SIMPLE_DATE = "Y-m-d H:i:s"; + + protected $dateFormat; + + /** + * @param string $dateFormat The format of the timestamp: one supported by DateTime::format + */ + public function __construct($dateFormat = null) + { + $this->dateFormat = $dateFormat ?: static::SIMPLE_DATE; + } + + /** + * {@inheritdoc} + */ + public function format(array $record) + { + return $this->normalize($record); + } + + /** + * {@inheritdoc} + */ + public function formatBatch(array $records) + { + foreach ($records as $key => $record) { + $records[$key] = $this->format($record); + } + + return $records; + } + + protected function normalize($data) + { + if (null === $data || is_scalar($data)) { + return $data; + } + + if (is_array($data) || $data instanceof \Traversable) { + $normalized = array(); + + foreach ($data as $key => $value) { + $normalized[$key] = $this->normalize($value); + } + + return $normalized; + } + + if ($data instanceof \DateTime) { + return $data->format($this->dateFormat); + } + + if (is_object($data)) { + return sprintf("[object] (%s: %s)", get_class($data), $this->toJson($data, true)); + } + + if (is_resource($data)) { + return '[resource]'; + } + + return '[unknown('.gettype($data).')]'; + } + + protected function toJson($data, $ignoreErrors = false) + { + // suppress json_encode errors since it's twitchy with some inputs + if ($ignoreErrors) { + if (version_compare(PHP_VERSION, '5.4.0', '>=')) { + return @json_encode($data, JSON_UNESCAPED_SLASHES | JSON_UNESCAPED_UNICODE); + } + + return @json_encode($data); + } + + if (version_compare(PHP_VERSION, '5.4.0', '>=')) { + return json_encode($data, JSON_UNESCAPED_SLASHES | JSON_UNESCAPED_UNICODE); + } + + return json_encode($data); + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Monolog/Formatter/WildfireFormatter.php b/apps/files_external/3rdparty/aws-sdk-php/Monolog/Formatter/WildfireFormatter.php new file mode 100644 index 0000000000..b3e9b18644 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Monolog/Formatter/WildfireFormatter.php @@ -0,0 +1,102 @@ + + * + * For the full copyright and license information, please view the LICENSE + * file that was distributed with this source code. + */ + +namespace Monolog\Formatter; + +use Monolog\Logger; + +/** + * Serializes a log message according to Wildfire's header requirements + * + * @author Eric Clemmons (@ericclemmons) + * @author Christophe Coevoet + * @author Kirill chEbba Chebunin + */ +class WildfireFormatter extends NormalizerFormatter +{ + /** + * Translates Monolog log levels to Wildfire levels. + */ + private $logLevels = array( + Logger::DEBUG => 'LOG', + Logger::INFO => 'INFO', + Logger::NOTICE => 'INFO', + Logger::WARNING => 'WARN', + Logger::ERROR => 'ERROR', + Logger::CRITICAL => 'ERROR', + Logger::ALERT => 'ERROR', + Logger::EMERGENCY => 'ERROR', + ); + + /** + * {@inheritdoc} + */ + public function format(array $record) + { + // Retrieve the line and file if set and remove them from the formatted extra + $file = $line = ''; + if (isset($record['extra']['file'])) { + $file = $record['extra']['file']; + unset($record['extra']['file']); + } + if (isset($record['extra']['line'])) { + $line = $record['extra']['line']; + unset($record['extra']['line']); + } + + $record = $this->normalize($record); + $message = array('message' => $record['message']); + $handleError = false; + if ($record['context']) { + $message['context'] = $record['context']; + $handleError = true; + } + if ($record['extra']) { + $message['extra'] = $record['extra']; + $handleError = true; + } + if (count($message) === 1) { + $message = reset($message); + } + + // Create JSON object describing the appearance of the message in the console + $json = $this->toJson(array( + array( + 'Type' => $this->logLevels[$record['level']], + 'File' => $file, + 'Line' => $line, + 'Label' => $record['channel'], + ), + $message, + ), $handleError); + + // The message itself is a serialization of the above JSON object + it's length + return sprintf( + '%s|%s|', + strlen($json), + $json + ); + } + + public function formatBatch(array $records) + { + throw new \BadMethodCallException('Batch formatting does not make sense for the WildfireFormatter'); + } + + protected function normalize($data) + { + if (is_object($data) && !$data instanceof \DateTime) { + return $data; + } + + return parent::normalize($data); + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Monolog/Handler/AbstractHandler.php b/apps/files_external/3rdparty/aws-sdk-php/Monolog/Handler/AbstractHandler.php new file mode 100644 index 0000000000..2ea9f5599b --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Monolog/Handler/AbstractHandler.php @@ -0,0 +1,174 @@ + + * + * For the full copyright and license information, please view the LICENSE + * file that was distributed with this source code. + */ + +namespace Monolog\Handler; + +use Monolog\Logger; +use Monolog\Formatter\FormatterInterface; +use Monolog\Formatter\LineFormatter; + +/** + * Base Handler class providing the Handler structure + * + * @author Jordi Boggiano + */ +abstract class AbstractHandler implements HandlerInterface +{ + protected $level = Logger::DEBUG; + protected $bubble = false; + + /** + * @var FormatterInterface + */ + protected $formatter; + protected $processors = array(); + + /** + * @param integer $level The minimum logging level at which this handler will be triggered + * @param Boolean $bubble Whether the messages that are handled can bubble up the stack or not + */ + public function __construct($level = Logger::DEBUG, $bubble = true) + { + $this->level = $level; + $this->bubble = $bubble; + } + + /** + * {@inheritdoc} + */ + public function isHandling(array $record) + { + return $record['level'] >= $this->level; + } + + /** + * {@inheritdoc} + */ + public function handleBatch(array $records) + { + foreach ($records as $record) { + $this->handle($record); + } + } + + /** + * Closes the handler. + * + * This will be called automatically when the object is destroyed + */ + public function close() + { + } + + /** + * {@inheritdoc} + */ + public function pushProcessor($callback) + { + if (!is_callable($callback)) { + throw new \InvalidArgumentException('Processors must be valid callables (callback or object with an __invoke method), '.var_export($callback, true).' given'); + } + array_unshift($this->processors, $callback); + } + + /** + * {@inheritdoc} + */ + public function popProcessor() + { + if (!$this->processors) { + throw new \LogicException('You tried to pop from an empty processor stack.'); + } + + return array_shift($this->processors); + } + + /** + * {@inheritdoc} + */ + public function setFormatter(FormatterInterface $formatter) + { + $this->formatter = $formatter; + } + + /** + * {@inheritdoc} + */ + public function getFormatter() + { + if (!$this->formatter) { + $this->formatter = $this->getDefaultFormatter(); + } + + return $this->formatter; + } + + /** + * Sets minimum logging level at which this handler will be triggered. + * + * @param integer $level + */ + public function setLevel($level) + { + $this->level = $level; + } + + /** + * Gets minimum logging level at which this handler will be triggered. + * + * @return integer + */ + public function getLevel() + { + return $this->level; + } + + /** + * Sets the bubbling behavior. + * + * @param Boolean $bubble True means that bubbling is not permitted. + * False means that this handler allows bubbling. + */ + public function setBubble($bubble) + { + $this->bubble = $bubble; + } + + /** + * Gets the bubbling behavior. + * + * @return Boolean True means that bubbling is not permitted. + * False means that this handler allows bubbling. + */ + public function getBubble() + { + return $this->bubble; + } + + public function __destruct() + { + try { + $this->close(); + } catch (\Exception $e) { + // do nothing + } + } + + /** + * Gets the default formatter. + * + * @return FormatterInterface + */ + protected function getDefaultFormatter() + { + return new LineFormatter(); + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Monolog/Handler/AbstractProcessingHandler.php b/apps/files_external/3rdparty/aws-sdk-php/Monolog/Handler/AbstractProcessingHandler.php new file mode 100644 index 0000000000..e1e5b89311 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Monolog/Handler/AbstractProcessingHandler.php @@ -0,0 +1,66 @@ + + * + * For the full copyright and license information, please view the LICENSE + * file that was distributed with this source code. + */ + +namespace Monolog\Handler; + +/** + * Base Handler class providing the Handler structure + * + * Classes extending it should (in most cases) only implement write($record) + * + * @author Jordi Boggiano + * @author Christophe Coevoet + */ +abstract class AbstractProcessingHandler extends AbstractHandler +{ + /** + * {@inheritdoc} + */ + public function handle(array $record) + { + if ($record['level'] < $this->level) { + return false; + } + + $record = $this->processRecord($record); + + $record['formatted'] = $this->getFormatter()->format($record); + + $this->write($record); + + return false === $this->bubble; + } + + /** + * Writes the record down to the log of the implementing handler + * + * @param array $record + * @return void + */ + abstract protected function write(array $record); + + /** + * Processes a record. + * + * @param array $record + * @return array + */ + protected function processRecord(array $record) + { + if ($this->processors) { + foreach ($this->processors as $processor) { + $record = call_user_func($processor, $record); + } + } + + return $record; + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Monolog/Handler/AmqpHandler.php b/apps/files_external/3rdparty/aws-sdk-php/Monolog/Handler/AmqpHandler.php new file mode 100644 index 0000000000..00703436c5 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Monolog/Handler/AmqpHandler.php @@ -0,0 +1,69 @@ + + * + * For the full copyright and license information, please view the LICENSE + * file that was distributed with this source code. + */ + +namespace Monolog\Handler; + +use Monolog\Logger; +use Monolog\Formatter\JsonFormatter; + +class AmqpHandler extends AbstractProcessingHandler +{ + /** + * @var \AMQPExchange $exchange + */ + protected $exchange; + + /** + * @param \AMQPExchange $exchange AMQP exchange, ready for use + * @param string $exchangeName + * @param int $level + * @param bool $bubble Whether the messages that are handled can bubble up the stack or not + */ + public function __construct(\AMQPExchange $exchange, $exchangeName = 'log', $level = Logger::DEBUG, $bubble = true) + { + $this->exchange = $exchange; + $this->exchange->setName($exchangeName); + + parent::__construct($level, $bubble); + } + + /** + * {@inheritDoc} + */ + protected function write(array $record) + { + $data = $record["formatted"]; + + $routingKey = sprintf( + '%s.%s', + substr($record['level_name'], 0, 4), + $record['channel'] + ); + + $this->exchange->publish( + $data, + strtolower($routingKey), + 0, + array( + 'delivery_mode' => 2, + 'Content-type' => 'application/json' + ) + ); + } + + /** + * {@inheritDoc} + */ + protected function getDefaultFormatter() + { + return new JsonFormatter(); + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Monolog/Handler/BufferHandler.php b/apps/files_external/3rdparty/aws-sdk-php/Monolog/Handler/BufferHandler.php new file mode 100644 index 0000000000..e9a4dc358b --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Monolog/Handler/BufferHandler.php @@ -0,0 +1,98 @@ + + * + * For the full copyright and license information, please view the LICENSE + * file that was distributed with this source code. + */ + +namespace Monolog\Handler; + +use Monolog\Logger; + +/** + * Buffers all records until closing the handler and then pass them as batch. + * + * This is useful for a MailHandler to send only one mail per request instead of + * sending one per log message. + * + * @author Christophe Coevoet + */ +class BufferHandler extends AbstractHandler +{ + protected $handler; + protected $bufferSize = 0; + protected $bufferLimit; + protected $flushOnOverflow; + protected $buffer = array(); + + /** + * @param HandlerInterface $handler Handler. + * @param integer $bufferSize How many entries should be buffered at most, beyond that the oldest items are removed from the buffer. + * @param integer $level The minimum logging level at which this handler will be triggered + * @param Boolean $bubble Whether the messages that are handled can bubble up the stack or not + * @param Boolean $flushOnOverflow If true, the buffer is flushed when the max size has been reached, by default oldest entries are discarded + */ + public function __construct(HandlerInterface $handler, $bufferSize = 0, $level = Logger::DEBUG, $bubble = true, $flushOnOverflow = false) + { + parent::__construct($level, $bubble); + $this->handler = $handler; + $this->bufferLimit = (int) $bufferSize; + $this->flushOnOverflow = $flushOnOverflow; + + // __destructor() doesn't get called on Fatal errors + register_shutdown_function(array($this, 'close')); + } + + /** + * {@inheritdoc} + */ + public function handle(array $record) + { + if ($record['level'] < $this->level) { + return false; + } + + if ($this->bufferLimit > 0 && $this->bufferSize === $this->bufferLimit) { + if ($this->flushOnOverflow) { + $this->flush(); + } else { + array_shift($this->buffer); + $this->bufferSize--; + } + } + + if ($this->processors) { + foreach ($this->processors as $processor) { + $record = call_user_func($processor, $record); + } + } + + $this->buffer[] = $record; + $this->bufferSize++; + + return false === $this->bubble; + } + + public function flush() + { + if ($this->bufferSize === 0) { + return; + } + + $this->handler->handleBatch($this->buffer); + $this->bufferSize = 0; + $this->buffer = array(); + } + + /** + * {@inheritdoc} + */ + public function close() + { + $this->flush(); + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Monolog/Handler/ChromePHPHandler.php b/apps/files_external/3rdparty/aws-sdk-php/Monolog/Handler/ChromePHPHandler.php new file mode 100644 index 0000000000..d5a910ac51 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Monolog/Handler/ChromePHPHandler.php @@ -0,0 +1,151 @@ + + * + * For the full copyright and license information, please view the LICENSE + * file that was distributed with this source code. + */ + +namespace Monolog\Handler; + +use Monolog\Formatter\ChromePHPFormatter; + +/** + * Handler sending logs to the ChromePHP extension (http://www.chromephp.com/) + * + * @author Christophe Coevoet + */ +class ChromePHPHandler extends AbstractProcessingHandler +{ + /** + * Version of the extension + */ + const VERSION = '3.0'; + + /** + * Header name + */ + const HEADER_NAME = 'X-ChromePhp-Data'; + + protected static $initialized = false; + + protected static $json = array( + 'version' => self::VERSION, + 'columns' => array('label', 'log', 'backtrace', 'type'), + 'rows' => array(), + ); + + protected static $sendHeaders = true; + + /** + * {@inheritdoc} + */ + public function handleBatch(array $records) + { + $messages = array(); + + foreach ($records as $record) { + if ($record['level'] < $this->level) { + continue; + } + $messages[] = $this->processRecord($record); + } + + if (!empty($messages)) { + $messages = $this->getFormatter()->formatBatch($messages); + self::$json['rows'] = array_merge(self::$json['rows'], $messages); + $this->send(); + } + } + + /** + * {@inheritDoc} + */ + protected function getDefaultFormatter() + { + return new ChromePHPFormatter(); + } + + /** + * Creates & sends header for a record + * + * @see sendHeader() + * @see send() + * @param array $record + */ + protected function write(array $record) + { + self::$json['rows'][] = $record['formatted']; + + $this->send(); + } + + /** + * Sends the log header + * + * @see sendHeader() + */ + protected function send() + { + if (!self::$initialized) { + self::$sendHeaders = $this->headersAccepted(); + self::$json['request_uri'] = isset($_SERVER['REQUEST_URI']) ? $_SERVER['REQUEST_URI'] : ''; + + self::$initialized = true; + } + + $json = @json_encode(self::$json); + $this->sendHeader(self::HEADER_NAME, base64_encode(utf8_encode($json))); + } + + /** + * Send header string to the client + * + * @param string $header + * @param string $content + */ + protected function sendHeader($header, $content) + { + if (!headers_sent() && self::$sendHeaders) { + header(sprintf('%s: %s', $header, $content)); + } + } + + /** + * Verifies if the headers are accepted by the current user agent + * + * @return Boolean + */ + protected function headersAccepted() + { + return !isset($_SERVER['HTTP_USER_AGENT']) + || preg_match('{\bChrome/\d+[\.\d+]*\b}', $_SERVER['HTTP_USER_AGENT']); + } + + /** + * BC getter for the sendHeaders property that has been made static + */ + public function __get($property) + { + if ('sendHeaders' !== $property) { + throw new \InvalidArgumentException('Undefined property '.$property); + } + + return static::$sendHeaders; + } + + /** + * BC setter for the sendHeaders property that has been made static + */ + public function __set($property, $value) + { + if ('sendHeaders' !== $property) { + throw new \InvalidArgumentException('Undefined property '.$property); + } + + static::$sendHeaders = $value; + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Monolog/Handler/CouchDBHandler.php b/apps/files_external/3rdparty/aws-sdk-php/Monolog/Handler/CouchDBHandler.php new file mode 100644 index 0000000000..4877b345d6 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Monolog/Handler/CouchDBHandler.php @@ -0,0 +1,72 @@ + + * + * For the full copyright and license information, please view the LICENSE + * file that was distributed with this source code. + */ + +namespace Monolog\Handler; + +use Monolog\Formatter\JsonFormatter; +use Monolog\Logger; + +/** + * CouchDB handler + * + * @author Markus Bachmann + */ +class CouchDBHandler extends AbstractProcessingHandler +{ + private $options; + + public function __construct(array $options = array(), $level = Logger::DEBUG, $bubble = true) + { + $this->options = array_merge(array( + 'host' => 'localhost', + 'port' => 5984, + 'dbname' => 'logger', + 'username' => null, + 'password' => null, + ), $options); + + parent::__construct($level, $bubble); + } + + /** + * {@inheritDoc} + */ + protected function write(array $record) + { + $basicAuth = null; + if ($this->options['username']) { + $basicAuth = sprintf('%s:%s@', $this->options['username'], $this->options['password']); + } + + $url = 'http://'.$basicAuth.$this->options['host'].':'.$this->options['port'].'/'.$this->options['dbname']; + $context = stream_context_create(array( + 'http' => array( + 'method' => 'POST', + 'content' => $record['formatted'], + 'ignore_errors' => true, + 'max_redirects' => 0, + 'header' => 'Content-type: application/json', + ) + )); + + if (false === @file_get_contents($url, null, $context)) { + throw new \RuntimeException(sprintf('Could not connect to %s', $url)); + } + } + + /** + * {@inheritDoc} + */ + protected function getDefaultFormatter() + { + return new JsonFormatter(); + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Monolog/Handler/CubeHandler.php b/apps/files_external/3rdparty/aws-sdk-php/Monolog/Handler/CubeHandler.php new file mode 100644 index 0000000000..6ccff26e06 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Monolog/Handler/CubeHandler.php @@ -0,0 +1,145 @@ + + * + * For the full copyright and license information, please view the LICENSE + * file that was distributed with this source code. + */ + +namespace Monolog\Handler; + +use Monolog\Logger; + +/** + * Logs to Cube. + * + * @link http://square.github.com/cube/ + * @author Wan Chen + */ +class CubeHandler extends AbstractProcessingHandler +{ + private $udpConnection = null; + private $httpConnection = null; + private $scheme = null; + private $host = null; + private $port = null; + private $acceptedSchemes = array('http', 'udp'); + + /** + * Create a Cube handler + * + * @throws UnexpectedValueException when given url is not a valid url. + * A valid url must consists of three parts : protocol://host:port + * Only valid protocol used by Cube are http and udp + */ + public function __construct($url, $level = Logger::DEBUG, $bubble = true) + { + $urlInfos = parse_url($url); + + if (!isset($urlInfos['scheme']) || !isset($urlInfos['host']) || !isset($urlInfos['port'])) { + throw new \UnexpectedValueException('URL "'.$url.'" is not valid'); + } + + if (!in_array($urlInfos['scheme'], $this->acceptedSchemes)) { + throw new \UnexpectedValueException( + 'Invalid protocol (' . $urlInfos['scheme'] . ').' + . ' Valid options are ' . implode(', ', $this->acceptedSchemes)); + } + + $this->scheme = $urlInfos['scheme']; + $this->host = $urlInfos['host']; + $this->port = $urlInfos['port']; + + parent::__construct($level, $bubble); + } + + /** + * Establish a connection to an UDP socket + * + * @throws LogicException when unable to connect to the socket + */ + protected function connectUdp() + { + if (!extension_loaded('sockets')) { + throw new \LogicException('The sockets extension is needed to use udp URLs with the CubeHandler'); + } + + $this->udpConnection = socket_create(AF_INET, SOCK_DGRAM, 0); + if (!$this->udpConnection) { + throw new \LogicException('Unable to create a socket'); + } + + if (!socket_connect($this->udpConnection, $this->host, $this->port)) { + throw new \LogicException('Unable to connect to the socket at ' . $this->host . ':' . $this->port); + } + } + + /** + * Establish a connection to a http server + */ + protected function connectHttp() + { + if (!extension_loaded('curl')) { + throw new \LogicException('The curl extension is needed to use http URLs with the CubeHandler'); + } + + $this->httpConnection = curl_init('http://'.$this->host.':'.$this->port.'/1.0/event/put'); + + if (!$this->httpConnection) { + throw new \LogicException('Unable to connect to ' . $this->host . ':' . $this->port); + } + + curl_setopt($this->httpConnection, CURLOPT_CUSTOMREQUEST, "POST"); + curl_setopt($this->httpConnection, CURLOPT_RETURNTRANSFER, true); + } + + /** + * {@inheritdoc} + */ + protected function write(array $record) + { + $date = $record['datetime']; + + $data = array('time' => $date->format('Y-m-d\TH:i:s.u')); + unset($record['datetime']); + + if (isset($record['context']['type'])) { + $data['type'] = $record['context']['type']; + unset($record['context']['type']); + } else { + $data['type'] = $record['channel']; + } + + $data['data'] = $record['context']; + $data['data']['level'] = $record['level']; + + $this->{'write'.$this->scheme}(json_encode($data)); + } + + private function writeUdp($data) + { + if (!$this->udpConnection) { + $this->connectUdp(); + } + + socket_send($this->udpConnection, $data, strlen($data), 0); + } + + private function writeHttp($data) + { + if (!$this->httpConnection) { + $this->connectHttp(); + } + + curl_setopt($this->httpConnection, CURLOPT_POSTFIELDS, '['.$data.']'); + curl_setopt($this->httpConnection, CURLOPT_HTTPHEADER, array( + 'Content-Type: application/json', + 'Content-Length: ' . strlen('['.$data.']')) + ); + + return curl_exec($this->httpConnection); + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Monolog/Handler/DoctrineCouchDBHandler.php b/apps/files_external/3rdparty/aws-sdk-php/Monolog/Handler/DoctrineCouchDBHandler.php new file mode 100644 index 0000000000..b91ffec905 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Monolog/Handler/DoctrineCouchDBHandler.php @@ -0,0 +1,45 @@ + + * + * For the full copyright and license information, please view the LICENSE + * file that was distributed with this source code. + */ + +namespace Monolog\Handler; + +use Monolog\Logger; +use Monolog\Formatter\NormalizerFormatter; +use Doctrine\CouchDB\CouchDBClient; + +/** + * CouchDB handler for Doctrine CouchDB ODM + * + * @author Markus Bachmann + */ +class DoctrineCouchDBHandler extends AbstractProcessingHandler +{ + private $client; + + public function __construct(CouchDBClient $client, $level = Logger::DEBUG, $bubble = true) + { + $this->client = $client; + parent::__construct($level, $bubble); + } + + /** + * {@inheritDoc} + */ + protected function write(array $record) + { + $this->client->postDocument($record['formatted']); + } + + protected function getDefaultFormatter() + { + return new NormalizerFormatter; + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Monolog/Handler/FingersCrossed/ActivationStrategyInterface.php b/apps/files_external/3rdparty/aws-sdk-php/Monolog/Handler/FingersCrossed/ActivationStrategyInterface.php new file mode 100644 index 0000000000..c3e42efefa --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Monolog/Handler/FingersCrossed/ActivationStrategyInterface.php @@ -0,0 +1,28 @@ + + * + * For the full copyright and license information, please view the LICENSE + * file that was distributed with this source code. + */ + +namespace Monolog\Handler\FingersCrossed; + +/** + * Interface for activation strategies for the FingersCrossedHandler. + * + * @author Johannes M. Schmitt + */ +interface ActivationStrategyInterface +{ + /** + * Returns whether the given record activates the handler. + * + * @param array $record + * @return Boolean + */ + public function isHandlerActivated(array $record); +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Monolog/Handler/FingersCrossed/ErrorLevelActivationStrategy.php b/apps/files_external/3rdparty/aws-sdk-php/Monolog/Handler/FingersCrossed/ErrorLevelActivationStrategy.php new file mode 100644 index 0000000000..7cd8ef1b62 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Monolog/Handler/FingersCrossed/ErrorLevelActivationStrategy.php @@ -0,0 +1,32 @@ + + * + * For the full copyright and license information, please view the LICENSE + * file that was distributed with this source code. + */ + +namespace Monolog\Handler\FingersCrossed; + +/** + * Error level based activation strategy. + * + * @author Johannes M. Schmitt + */ +class ErrorLevelActivationStrategy implements ActivationStrategyInterface +{ + private $actionLevel; + + public function __construct($actionLevel) + { + $this->actionLevel = $actionLevel; + } + + public function isHandlerActivated(array $record) + { + return $record['level'] >= $this->actionLevel; + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Monolog/Handler/FingersCrossedHandler.php b/apps/files_external/3rdparty/aws-sdk-php/Monolog/Handler/FingersCrossedHandler.php new file mode 100644 index 0000000000..5ac6d7771a --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Monolog/Handler/FingersCrossedHandler.php @@ -0,0 +1,113 @@ + + * + * For the full copyright and license information, please view the LICENSE + * file that was distributed with this source code. + */ + +namespace Monolog\Handler; + +use Monolog\Handler\FingersCrossed\ErrorLevelActivationStrategy; +use Monolog\Handler\FingersCrossed\ActivationStrategyInterface; +use Monolog\Logger; + +/** + * Buffers all records until a certain level is reached + * + * The advantage of this approach is that you don't get any clutter in your log files. + * Only requests which actually trigger an error (or whatever your actionLevel is) will be + * in the logs, but they will contain all records, not only those above the level threshold. + * + * @author Jordi Boggiano + */ +class FingersCrossedHandler extends AbstractHandler +{ + protected $handler; + protected $activationStrategy; + protected $buffering = true; + protected $bufferSize; + protected $buffer = array(); + protected $stopBuffering; + + /** + * @param callable|HandlerInterface $handler Handler or factory callable($record, $fingersCrossedHandler). + * @param int|ActivationStrategyInterface $activationStrategy Strategy which determines when this handler takes action + * @param int $bufferSize How many entries should be buffered at most, beyond that the oldest items are removed from the buffer. + * @param Boolean $bubble Whether the messages that are handled can bubble up the stack or not + * @param Boolean $stopBuffering Whether the handler should stop buffering after being triggered (default true) + */ + public function __construct($handler, $activationStrategy = null, $bufferSize = 0, $bubble = true, $stopBuffering = true) + { + if (null === $activationStrategy) { + $activationStrategy = new ErrorLevelActivationStrategy(Logger::WARNING); + } + if (!$activationStrategy instanceof ActivationStrategyInterface) { + $activationStrategy = new ErrorLevelActivationStrategy($activationStrategy); + } + + $this->handler = $handler; + $this->activationStrategy = $activationStrategy; + $this->bufferSize = $bufferSize; + $this->bubble = $bubble; + $this->stopBuffering = $stopBuffering; + } + + /** + * {@inheritdoc} + */ + public function isHandling(array $record) + { + return true; + } + + /** + * {@inheritdoc} + */ + public function handle(array $record) + { + if ($this->processors) { + foreach ($this->processors as $processor) { + $record = call_user_func($processor, $record); + } + } + + if ($this->buffering) { + $this->buffer[] = $record; + if ($this->bufferSize > 0 && count($this->buffer) > $this->bufferSize) { + array_shift($this->buffer); + } + if ($this->activationStrategy->isHandlerActivated($record)) { + if ($this->stopBuffering) { + $this->buffering = false; + } + if (!$this->handler instanceof HandlerInterface) { + if (!is_callable($this->handler)) { + throw new \RuntimeException("The given handler (".json_encode($this->handler).") is not a callable nor a Monolog\Handler\HandlerInterface object"); + } + $this->handler = call_user_func($this->handler, $record, $this); + if (!$this->handler instanceof HandlerInterface) { + throw new \RuntimeException("The factory callable should return a HandlerInterface"); + } + } + $this->handler->handleBatch($this->buffer); + $this->buffer = array(); + } + } else { + $this->handler->handle($record); + } + + return false === $this->bubble; + } + + /** + * Resets the state of the handler. Stops forwarding records to the wrapped handler. + */ + public function reset() + { + $this->buffering = true; + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Monolog/Handler/FirePHPHandler.php b/apps/files_external/3rdparty/aws-sdk-php/Monolog/Handler/FirePHPHandler.php new file mode 100644 index 0000000000..46a039ad72 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Monolog/Handler/FirePHPHandler.php @@ -0,0 +1,184 @@ + + * + * For the full copyright and license information, please view the LICENSE + * file that was distributed with this source code. + */ + +namespace Monolog\Handler; + +use Monolog\Formatter\WildfireFormatter; + +/** + * Simple FirePHP Handler (http://www.firephp.org/), which uses the Wildfire protocol. + * + * @author Eric Clemmons (@ericclemmons) + */ +class FirePHPHandler extends AbstractProcessingHandler +{ + /** + * WildFire JSON header message format + */ + const PROTOCOL_URI = 'http://meta.wildfirehq.org/Protocol/JsonStream/0.2'; + + /** + * FirePHP structure for parsing messages & their presentation + */ + const STRUCTURE_URI = 'http://meta.firephp.org/Wildfire/Structure/FirePHP/FirebugConsole/0.1'; + + /** + * Must reference a "known" plugin, otherwise headers won't display in FirePHP + */ + const PLUGIN_URI = 'http://meta.firephp.org/Wildfire/Plugin/FirePHP/Library-FirePHPCore/0.3'; + + /** + * Header prefix for Wildfire to recognize & parse headers + */ + const HEADER_PREFIX = 'X-Wf'; + + /** + * Whether or not Wildfire vendor-specific headers have been generated & sent yet + */ + protected static $initialized = false; + + /** + * Shared static message index between potentially multiple handlers + * @var int + */ + protected static $messageIndex = 1; + + protected static $sendHeaders = true; + + /** + * Base header creation function used by init headers & record headers + * + * @param array $meta Wildfire Plugin, Protocol & Structure Indexes + * @param string $message Log message + * @return array Complete header string ready for the client as key and message as value + */ + protected function createHeader(array $meta, $message) + { + $header = sprintf('%s-%s', self::HEADER_PREFIX, join('-', $meta)); + + return array($header => $message); + } + + /** + * Creates message header from record + * + * @see createHeader() + * @param array $record + * @return string + */ + protected function createRecordHeader(array $record) + { + // Wildfire is extensible to support multiple protocols & plugins in a single request, + // but we're not taking advantage of that (yet), so we're using "1" for simplicity's sake. + return $this->createHeader( + array(1, 1, 1, self::$messageIndex++), + $record['formatted'] + ); + } + + /** + * {@inheritDoc} + */ + protected function getDefaultFormatter() + { + return new WildfireFormatter(); + } + + /** + * Wildfire initialization headers to enable message parsing + * + * @see createHeader() + * @see sendHeader() + * @return array + */ + protected function getInitHeaders() + { + // Initial payload consists of required headers for Wildfire + return array_merge( + $this->createHeader(array('Protocol', 1), self::PROTOCOL_URI), + $this->createHeader(array(1, 'Structure', 1), self::STRUCTURE_URI), + $this->createHeader(array(1, 'Plugin', 1), self::PLUGIN_URI) + ); + } + + /** + * Send header string to the client + * + * @param string $header + * @param string $content + */ + protected function sendHeader($header, $content) + { + if (!headers_sent() && self::$sendHeaders) { + header(sprintf('%s: %s', $header, $content)); + } + } + + /** + * Creates & sends header for a record, ensuring init headers have been sent prior + * + * @see sendHeader() + * @see sendInitHeaders() + * @param array $record + */ + protected function write(array $record) + { + // WildFire-specific headers must be sent prior to any messages + if (!self::$initialized) { + self::$sendHeaders = $this->headersAccepted(); + + foreach ($this->getInitHeaders() as $header => $content) { + $this->sendHeader($header, $content); + } + + self::$initialized = true; + } + + $header = $this->createRecordHeader($record); + $this->sendHeader(key($header), current($header)); + } + + /** + * Verifies if the headers are accepted by the current user agent + * + * @return Boolean + */ + protected function headersAccepted() + { + return !isset($_SERVER['HTTP_USER_AGENT']) + || preg_match('{\bFirePHP/\d+\.\d+\b}', $_SERVER['HTTP_USER_AGENT']) + || isset($_SERVER['HTTP_X_FIREPHP_VERSION']); + } + + /** + * BC getter for the sendHeaders property that has been made static + */ + public function __get($property) + { + if ('sendHeaders' !== $property) { + throw new \InvalidArgumentException('Undefined property '.$property); + } + + return static::$sendHeaders; + } + + /** + * BC setter for the sendHeaders property that has been made static + */ + public function __set($property, $value) + { + if ('sendHeaders' !== $property) { + throw new \InvalidArgumentException('Undefined property '.$property); + } + + static::$sendHeaders = $value; + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Monolog/Handler/GelfHandler.php b/apps/files_external/3rdparty/aws-sdk-php/Monolog/Handler/GelfHandler.php new file mode 100644 index 0000000000..34d48e7506 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Monolog/Handler/GelfHandler.php @@ -0,0 +1,66 @@ + + * + * For the full copyright and license information, please view the LICENSE + * file that was distributed with this source code. + */ + +namespace Monolog\Handler; + +use Gelf\IMessagePublisher; +use Monolog\Logger; +use Monolog\Handler\AbstractProcessingHandler; +use Monolog\Formatter\GelfMessageFormatter; + +/** + * Handler to send messages to a Graylog2 (http://www.graylog2.org) server + * + * @author Matt Lehner + */ +class GelfHandler extends AbstractProcessingHandler +{ + /** + * @var Gelf\IMessagePublisher the publisher object that sends the message to the server + */ + protected $publisher; + + /** + * @param Gelf\IMessagePublisher $publisher a publisher object + * @param integer $level The minimum logging level at which this handler will be triggered + * @param Boolean $bubble Whether the messages that are handled can bubble up the stack or not + */ + public function __construct(IMessagePublisher $publisher, $level = Logger::DEBUG, $bubble = true) + { + parent::__construct($level, $bubble); + + $this->publisher = $publisher; + } + + /** + * {@inheritdoc} + */ + public function close() + { + $this->publisher = null; + } + + /** + * {@inheritdoc} + */ + protected function write(array $record) + { + $this->publisher->publish($record['formatted']); + } + + /** + * {@inheritDoc} + */ + protected function getDefaultFormatter() + { + return new GelfMessageFormatter(); + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Monolog/Handler/GroupHandler.php b/apps/files_external/3rdparty/aws-sdk-php/Monolog/Handler/GroupHandler.php new file mode 100644 index 0000000000..99384d35f1 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Monolog/Handler/GroupHandler.php @@ -0,0 +1,80 @@ + + * + * For the full copyright and license information, please view the LICENSE + * file that was distributed with this source code. + */ + +namespace Monolog\Handler; + +/** + * Forwards records to multiple handlers + * + * @author Lenar Lõhmus + */ +class GroupHandler extends AbstractHandler +{ + protected $handlers; + + /** + * @param array $handlers Array of Handlers. + * @param Boolean $bubble Whether the messages that are handled can bubble up the stack or not + */ + public function __construct(array $handlers, $bubble = true) + { + foreach ($handlers as $handler) { + if (!$handler instanceof HandlerInterface) { + throw new \InvalidArgumentException('The first argument of the GroupHandler must be an array of HandlerInterface instances.'); + } + } + + $this->handlers = $handlers; + $this->bubble = $bubble; + } + + /** + * {@inheritdoc} + */ + public function isHandling(array $record) + { + foreach ($this->handlers as $handler) { + if ($handler->isHandling($record)) { + return true; + } + } + + return false; + } + + /** + * {@inheritdoc} + */ + public function handle(array $record) + { + if ($this->processors) { + foreach ($this->processors as $processor) { + $record = call_user_func($processor, $record); + } + } + + foreach ($this->handlers as $handler) { + $handler->handle($record); + } + + return false === $this->bubble; + } + + /** + * {@inheritdoc} + */ + public function handleBatch(array $records) + { + foreach ($this->handlers as $handler) { + $handler->handleBatch($records); + } + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Monolog/Handler/HandlerInterface.php b/apps/files_external/3rdparty/aws-sdk-php/Monolog/Handler/HandlerInterface.php new file mode 100644 index 0000000000..ac15d7decb --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Monolog/Handler/HandlerInterface.php @@ -0,0 +1,88 @@ + + * + * For the full copyright and license information, please view the LICENSE + * file that was distributed with this source code. + */ + +namespace Monolog\Handler; + +use Monolog\Formatter\FormatterInterface; + +/** + * Interface that all Monolog Handlers must implement + * + * @author Jordi Boggiano + */ +interface HandlerInterface +{ + /** + * Checks whether the given record will be handled by this handler. + * + * This is mostly done for performance reasons, to avoid calling processors for nothing. + * + * Handlers should still check the record levels within handle(), returning false in isHandling() + * is no guarantee that handle() will not be called, and isHandling() might not be called + * for a given record. + * + * @param array $record + * + * @return Boolean + */ + public function isHandling(array $record); + + /** + * Handles a record. + * + * All records may be passed to this method, and the handler should discard + * those that it does not want to handle. + * + * The return value of this function controls the bubbling process of the handler stack. + * Unless the bubbling is interrupted (by returning true), the Logger class will keep on + * calling further handlers in the stack with a given log record. + * + * @param array $record The record to handle + * @return Boolean True means that this handler handled the record, and that bubbling is not permitted. + * False means the record was either not processed or that this handler allows bubbling. + */ + public function handle(array $record); + + /** + * Handles a set of records at once. + * + * @param array $records The records to handle (an array of record arrays) + */ + public function handleBatch(array $records); + + /** + * Adds a processor in the stack. + * + * @param callable $callback + */ + public function pushProcessor($callback); + + /** + * Removes the processor on top of the stack and returns it. + * + * @return callable + */ + public function popProcessor(); + + /** + * Sets the formatter. + * + * @param FormatterInterface $formatter + */ + public function setFormatter(FormatterInterface $formatter); + + /** + * Gets the formatter. + * + * @return FormatterInterface + */ + public function getFormatter(); +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Monolog/Handler/MailHandler.php b/apps/files_external/3rdparty/aws-sdk-php/Monolog/Handler/MailHandler.php new file mode 100644 index 0000000000..86292727f3 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Monolog/Handler/MailHandler.php @@ -0,0 +1,55 @@ + + * + * For the full copyright and license information, please view the LICENSE + * file that was distributed with this source code. + */ + +namespace Monolog\Handler; + +/** + * Base class for all mail handlers + * + * @author Gyula Sallai + */ +abstract class MailHandler extends AbstractProcessingHandler +{ + /** + * {@inheritdoc} + */ + public function handleBatch(array $records) + { + $messages = array(); + + foreach ($records as $record) { + if ($record['level'] < $this->level) { + continue; + } + $messages[] = $this->processRecord($record); + } + + if (!empty($messages)) { + $this->send((string) $this->getFormatter()->formatBatch($messages), $messages); + } + } + + /** + * Send a mail with the given content + * + * @param string $content + * @param array $records the array of log records that formed this content + */ + abstract protected function send($content, array $records); + + /** + * {@inheritdoc} + */ + protected function write(array $record) + { + $this->send((string) $record['formatted'], array($record)); + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Monolog/Handler/MissingExtensionException.php b/apps/files_external/3rdparty/aws-sdk-php/Monolog/Handler/MissingExtensionException.php new file mode 100644 index 0000000000..0cb21cd227 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Monolog/Handler/MissingExtensionException.php @@ -0,0 +1,22 @@ + + * + * For the full copyright and license information, please view the LICENSE + * file that was distributed with this source code. + */ + +namespace Monolog\Handler; + +/** + * Exception can be thrown if an extension for an handler is missing + * + * @author Christian Bergau + */ +class MissingExtensionException extends \Exception +{ + +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Monolog/Handler/MongoDBHandler.php b/apps/files_external/3rdparty/aws-sdk-php/Monolog/Handler/MongoDBHandler.php new file mode 100644 index 0000000000..5a59201a11 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Monolog/Handler/MongoDBHandler.php @@ -0,0 +1,55 @@ + + * + * For the full copyright and license information, please view the LICENSE + * file that was distributed with this source code. + */ + +namespace Monolog\Handler; + +use Monolog\Logger; +use Monolog\Formatter\NormalizerFormatter; + +/** + * Logs to a MongoDB database. + * + * usage example: + * + * $log = new Logger('application'); + * $mongodb = new MongoDBHandler(new \Mongo("mongodb://localhost:27017"), "logs", "prod"); + * $log->pushHandler($mongodb); + * + * @author Thomas Tourlourat + */ +class MongoDBHandler extends AbstractProcessingHandler +{ + private $mongoCollection; + + public function __construct($mongo, $database, $collection, $level = Logger::DEBUG, $bubble = true) + { + if (!($mongo instanceof \MongoClient || $mongo instanceof \Mongo)) { + throw new \InvalidArgumentException('MongoClient or Mongo instance required'); + } + + $this->mongoCollection = $mongo->selectCollection($database, $collection); + + parent::__construct($level, $bubble); + } + + protected function write(array $record) + { + $this->mongoCollection->save($record["formatted"]); + } + + /** + * {@inheritDoc} + */ + protected function getDefaultFormatter() + { + return new NormalizerFormatter(); + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Monolog/Handler/NativeMailerHandler.php b/apps/files_external/3rdparty/aws-sdk-php/Monolog/Handler/NativeMailerHandler.php new file mode 100644 index 0000000000..c7ac63a0e8 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Monolog/Handler/NativeMailerHandler.php @@ -0,0 +1,68 @@ + + * + * For the full copyright and license information, please view the LICENSE + * file that was distributed with this source code. + */ + +namespace Monolog\Handler; + +use Monolog\Logger; + +/** + * NativeMailerHandler uses the mail() function to send the emails + * + * @author Christophe Coevoet + */ +class NativeMailerHandler extends MailHandler +{ + protected $to; + protected $subject; + protected $headers = array( + 'Content-type: text/plain; charset=utf-8' + ); + + /** + * @param string|array $to The receiver of the mail + * @param string $subject The subject of the mail + * @param string $from The sender of the mail + * @param integer $level The minimum logging level at which this handler will be triggered + * @param boolean $bubble Whether the messages that are handled can bubble up the stack or not + */ + public function __construct($to, $subject, $from, $level = Logger::ERROR, $bubble = true) + { + parent::__construct($level, $bubble); + $this->to = is_array($to) ? $to : array($to); + $this->subject = $subject; + $this->addHeader(sprintf('From: %s', $from)); + } + + /** + * @param string|array $headers Custom added headers + */ + public function addHeader($headers) + { + foreach ((array) $headers as $header) { + if (strpos($header, "\n") !== false || strpos($header, "\r") !== false) { + throw new \InvalidArgumentException('Headers can not contain newline characters for security reasons'); + } + $this->headers[] = $header; + } + } + + /** + * {@inheritdoc} + */ + protected function send($content, array $records) + { + $content = wordwrap($content, 70); + $headers = implode("\r\n", $this->headers) . "\r\n"; + foreach ($this->to as $to) { + mail($to, $this->subject, $content, $headers); + } + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Monolog/Handler/NullHandler.php b/apps/files_external/3rdparty/aws-sdk-php/Monolog/Handler/NullHandler.php new file mode 100644 index 0000000000..3754e45dbc --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Monolog/Handler/NullHandler.php @@ -0,0 +1,45 @@ + + * + * For the full copyright and license information, please view the LICENSE + * file that was distributed with this source code. + */ + +namespace Monolog\Handler; + +use Monolog\Logger; + +/** + * Blackhole + * + * Any record it can handle will be thrown away. This can be used + * to put on top of an existing stack to override it temporarily. + * + * @author Jordi Boggiano + */ +class NullHandler extends AbstractHandler +{ + /** + * @param integer $level The minimum logging level at which this handler will be triggered + */ + public function __construct($level = Logger::DEBUG) + { + parent::__construct($level, false); + } + + /** + * {@inheritdoc} + */ + public function handle(array $record) + { + if ($record['level'] < $this->level) { + return false; + } + + return true; + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Monolog/Handler/PushoverHandler.php b/apps/files_external/3rdparty/aws-sdk-php/Monolog/Handler/PushoverHandler.php new file mode 100644 index 0000000000..068183939d --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Monolog/Handler/PushoverHandler.php @@ -0,0 +1,88 @@ + + * + * For the full copyright and license information, please view the LICENSE + * file that was distributed with this source code. + */ + +namespace Monolog\Handler; + +use Monolog\Logger; + +/** + * Sends notifications through the pushover api to mobile phones + * + * @author Sebastian Göttschkes + * @see https://www.pushover.net/api + */ +class PushoverHandler extends SocketHandler +{ + private $token; + private $user; + private $title; + + /** + * @param string $token Pushover api token + * @param string $user Pushover user id the message will be sent to + * @param string $title Title sent to Pushover API + * @param integer $level The minimum logging level at which this handler will be triggered + * @param Boolean $bubble Whether the messages that are handled can bubble up the stack or not + * @param Boolean $useSSL Whether to connect via SSL. Required when pushing messages to users that are not + * the pushover.net app owner. OpenSSL is required for this option. + */ + public function __construct($token, $user, $title = null, $level = Logger::CRITICAL, $bubble = true, $useSSL = true) + { + $connectionString = $useSSL ? 'ssl://api.pushover.net:443' : 'api.pushover.net:80'; + parent::__construct($connectionString, $level, $bubble); + + $this->token = $token; + $this->user = $user; + $this->title = $title ?: gethostname(); + } + + protected function generateDataStream($record) + { + $content = $this->buildContent($record); + + return $this->buildHeader($content) . $content; + } + + private function buildContent($record) + { + // Pushover has a limit of 512 characters on title and message combined. + $maxMessageLength = 512 - strlen($this->title); + $message = substr($record['message'], 0, $maxMessageLength); + $timestamp = $record['datetime']->getTimestamp(); + + $dataArray = array( + 'token' => $this->token, + 'user' => $this->user, + 'message' => $message, + 'title' => $this->title, + 'timestamp' => $timestamp + ); + + return http_build_query($dataArray); + } + + private function buildHeader($content) + { + $header = "POST /1/messages.json HTTP/1.1\r\n"; + $header .= "Host: api.pushover.net\r\n"; + $header .= "Content-Type: application/x-www-form-urlencoded\r\n"; + $header .= "Content-Length: " . strlen($content) . "\r\n"; + $header .= "\r\n"; + + return $header; + } + + public function write(array $record) + { + parent::write($record); + $this->closeSocket(); + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Monolog/Handler/RavenHandler.php b/apps/files_external/3rdparty/aws-sdk-php/Monolog/Handler/RavenHandler.php new file mode 100644 index 0000000000..4b44f2700e --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Monolog/Handler/RavenHandler.php @@ -0,0 +1,92 @@ + + * + * For the full copyright and license information, please view the LICENSE + * file that was distributed with this source code. + */ + +namespace Monolog\Handler; + +use Monolog\Formatter\LineFormatter; +use Monolog\Logger; +use Monolog\Handler\AbstractProcessingHandler; +use Raven_Client; + +/** + * Handler to send messages to a Sentry (https://github.com/dcramer/sentry) server + * using raven-php (https://github.com/getsentry/raven-php) + * + * @author Marc Abramowitz + */ +class RavenHandler extends AbstractProcessingHandler +{ + /** + * Translates Monolog log levels to Raven log levels. + */ + private $logLevels = array( + Logger::DEBUG => Raven_Client::DEBUG, + Logger::INFO => Raven_Client::INFO, + Logger::NOTICE => Raven_Client::INFO, + Logger::WARNING => Raven_Client::WARNING, + Logger::ERROR => Raven_Client::ERROR, + Logger::CRITICAL => Raven_Client::FATAL, + Logger::ALERT => Raven_Client::FATAL, + Logger::EMERGENCY => Raven_Client::FATAL, + ); + + /** + * @var Raven_Client the client object that sends the message to the server + */ + protected $ravenClient; + + /** + * @param Raven_Client $ravenClient + * @param integer $level The minimum logging level at which this handler will be triggered + * @param Boolean $bubble Whether the messages that are handled can bubble up the stack or not + */ + public function __construct(Raven_Client $ravenClient, $level = Logger::DEBUG, $bubble = true) + { + parent::__construct($level, $bubble); + + $this->ravenClient = $ravenClient; + } + + /** + * {@inheritdoc} + */ + protected function write(array $record) + { + $level = $this->logLevels[$record['level']]; + + $options = array(); + $options['level'] = $level; + if (!empty($record['context'])) { + $options['extra']['context'] = $record['context']; + } + if (!empty($record['extra'])) { + $options['extra']['extra'] = $record['extra']; + } + + $this->ravenClient->captureMessage( + $record['formatted'], + array(), // $params - not used + version_compare(Raven_Client::VERSION, '0.1.0', '>') ? $options : $level, // $level or $options + false // $stack + ); + if ($record['level'] >= Logger::ERROR && isset($record['context']['exception'])) { + $this->ravenClient->captureException($record['context']['exception']); + } + } + + /** + * {@inheritDoc} + */ + protected function getDefaultFormatter() + { + return new LineFormatter('[%channel%] %message%'); + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Monolog/Handler/RedisHandler.php b/apps/files_external/3rdparty/aws-sdk-php/Monolog/Handler/RedisHandler.php new file mode 100644 index 0000000000..51a8e7df80 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Monolog/Handler/RedisHandler.php @@ -0,0 +1,58 @@ + + * + * For the full copyright and license information, please view the LICENSE + * file that was distributed with this source code. + */ + +namespace Monolog\Handler; + +use Monolog\Logger; +use Monolog\Formatter\LineFormatter; + +/** + * Logs to a Redis key using rpush + * + * usage example: + * + * $log = new Logger('application'); + * $redis = new RedisHandler(new Predis\Client("tcp://localhost:6379"), "logs", "prod"); + * $log->pushHandler($redis); + * + * @author Thomas Tourlourat + */ +class RedisHandler extends AbstractProcessingHandler +{ + private $redisClient; + private $redisKey; + + # redis instance, key to use + public function __construct($redis, $key, $level = Logger::DEBUG, $bubble = true) + { + if (!(($redis instanceof \Predis\Client) || ($redis instanceof \Redis))) { + throw new \InvalidArgumentException('Predis\Client or Redis instance required'); + } + + $this->redisClient = $redis; + $this->redisKey = $key; + + parent::__construct($level, $bubble); + } + + protected function write(array $record) + { + $this->redisClient->rpush($this->redisKey, $record["formatted"]); + } + + /** + * {@inheritDoc} + */ + protected function getDefaultFormatter() + { + return new LineFormatter(); + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Monolog/Handler/RotatingFileHandler.php b/apps/files_external/3rdparty/aws-sdk-php/Monolog/Handler/RotatingFileHandler.php new file mode 100644 index 0000000000..cfb0d5aa2e --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Monolog/Handler/RotatingFileHandler.php @@ -0,0 +1,126 @@ + + * + * For the full copyright and license information, please view the LICENSE + * file that was distributed with this source code. + */ + +namespace Monolog\Handler; + +use Monolog\Logger; + +/** + * Stores logs to files that are rotated every day and a limited number of files are kept. + * + * This rotation is only intended to be used as a workaround. Using logrotate to + * handle the rotation is strongly encouraged when you can use it. + * + * @author Christophe Coevoet + * @author Jordi Boggiano + */ +class RotatingFileHandler extends StreamHandler +{ + protected $filename; + protected $maxFiles; + protected $mustRotate; + protected $nextRotation; + + /** + * @param string $filename + * @param integer $maxFiles The maximal amount of files to keep (0 means unlimited) + * @param integer $level The minimum logging level at which this handler will be triggered + * @param Boolean $bubble Whether the messages that are handled can bubble up the stack or not + */ + public function __construct($filename, $maxFiles = 0, $level = Logger::DEBUG, $bubble = true) + { + $this->filename = $filename; + $this->maxFiles = (int) $maxFiles; + $this->nextRotation = new \DateTime('tomorrow'); + + parent::__construct($this->getTimedFilename(), $level, $bubble); + } + + /** + * {@inheritdoc} + */ + public function close() + { + parent::close(); + + if (true === $this->mustRotate) { + $this->rotate(); + } + } + + /** + * {@inheritdoc} + */ + protected function write(array $record) + { + // on the first record written, if the log is new, we should rotate (once per day) + if (null === $this->mustRotate) { + $this->mustRotate = !file_exists($this->url); + } + + if ($this->nextRotation < $record['datetime']) { + $this->mustRotate = true; + $this->close(); + } + + parent::write($record); + } + + /** + * Rotates the files. + */ + protected function rotate() + { + // update filename + $this->url = $this->getTimedFilename(); + $this->nextRotation = new \DateTime('tomorrow'); + + // skip GC of old logs if files are unlimited + if (0 === $this->maxFiles) { + return; + } + + $fileInfo = pathinfo($this->filename); + $glob = $fileInfo['dirname'].'/'.$fileInfo['filename'].'-*'; + if (!empty($fileInfo['extension'])) { + $glob .= '.'.$fileInfo['extension']; + } + $iterator = new \GlobIterator($glob); + $count = $iterator->count(); + if ($this->maxFiles >= $count) { + // no files to remove + return; + } + + // Sorting the files by name to remove the older ones + $array = iterator_to_array($iterator); + usort($array, function($a, $b) { + return strcmp($b->getFilename(), $a->getFilename()); + }); + + foreach (array_slice($array, $this->maxFiles) as $file) { + if ($file->isWritable()) { + unlink($file->getRealPath()); + } + } + } + + protected function getTimedFilename() + { + $fileInfo = pathinfo($this->filename); + $timedFilename = $fileInfo['dirname'].'/'.$fileInfo['filename'].'-'.date('Y-m-d'); + if (!empty($fileInfo['extension'])) { + $timedFilename .= '.'.$fileInfo['extension']; + } + + return $timedFilename; + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Monolog/Handler/SocketHandler.php b/apps/files_external/3rdparty/aws-sdk-php/Monolog/Handler/SocketHandler.php new file mode 100644 index 0000000000..4faa327d63 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Monolog/Handler/SocketHandler.php @@ -0,0 +1,285 @@ + + * + * For the full copyright and license information, please view the LICENSE + * file that was distributed with this source code. + */ + +namespace Monolog\Handler; + +use Monolog\Logger; + +/** + * Stores to any socket - uses fsockopen() or pfsockopen(). + * + * @author Pablo de Leon Belloc + * @see http://php.net/manual/en/function.fsockopen.php + */ +class SocketHandler extends AbstractProcessingHandler +{ + private $connectionString; + private $connectionTimeout; + private $resource; + private $timeout = 0; + private $persistent = false; + private $errno; + private $errstr; + + /** + * @param string $connectionString Socket connection string + * @param integer $level The minimum logging level at which this handler will be triggered + * @param Boolean $bubble Whether the messages that are handled can bubble up the stack or not + */ + public function __construct($connectionString, $level = Logger::DEBUG, $bubble = true) + { + parent::__construct($level, $bubble); + $this->connectionString = $connectionString; + $this->connectionTimeout = (float) ini_get('default_socket_timeout'); + } + + /** + * Connect (if necessary) and write to the socket + * + * @param array $record + * + * @throws \UnexpectedValueException + * @throws \RuntimeException + */ + public function write(array $record) + { + $this->connectIfNotConnected(); + $data = $this->generateDataStream($record); + $this->writeToSocket($data); + } + + /** + * We will not close a PersistentSocket instance so it can be reused in other requests. + */ + public function close() + { + if (!$this->isPersistent()) { + $this->closeSocket(); + } + } + + /** + * Close socket, if open + */ + public function closeSocket() + { + if (is_resource($this->resource)) { + fclose($this->resource); + $this->resource = null; + } + } + + /** + * Set socket connection to nbe persistent. It only has effect before the connection is initiated. + * + * @param type $boolean + */ + public function setPersistent($boolean) + { + $this->persistent = (boolean) $boolean; + } + + /** + * Set connection timeout. Only has effect before we connect. + * + * @param float $seconds + * + * @see http://php.net/manual/en/function.fsockopen.php + */ + public function setConnectionTimeout($seconds) + { + $this->validateTimeout($seconds); + $this->connectionTimeout = (float) $seconds; + } + + /** + * Set write timeout. Only has effect before we connect. + * + * @param float $seconds + * + * @see http://php.net/manual/en/function.stream-set-timeout.php + */ + public function setTimeout($seconds) + { + $this->validateTimeout($seconds); + $this->timeout = (float) $seconds; + } + + /** + * Get current connection string + * + * @return string + */ + public function getConnectionString() + { + return $this->connectionString; + } + + /** + * Get persistent setting + * + * @return boolean + */ + public function isPersistent() + { + return $this->persistent; + } + + /** + * Get current connection timeout setting + * + * @return float + */ + public function getConnectionTimeout() + { + return $this->connectionTimeout; + } + + /** + * Get current in-transfer timeout + * + * @return float + */ + public function getTimeout() + { + return $this->timeout; + } + + /** + * Check to see if the socket is currently available. + * + * UDP might appear to be connected but might fail when writing. See http://php.net/fsockopen for details. + * + * @return boolean + */ + public function isConnected() + { + return is_resource($this->resource) + && !feof($this->resource); // on TCP - other party can close connection. + } + + /** + * Wrapper to allow mocking + */ + protected function pfsockopen() + { + return @pfsockopen($this->connectionString, -1, $this->errno, $this->errstr, $this->connectionTimeout); + } + + /** + * Wrapper to allow mocking + */ + protected function fsockopen() + { + return @fsockopen($this->connectionString, -1, $this->errno, $this->errstr, $this->connectionTimeout); + } + + /** + * Wrapper to allow mocking + * + * @see http://php.net/manual/en/function.stream-set-timeout.php + */ + protected function streamSetTimeout() + { + $seconds = floor($this->timeout); + $microseconds = round(($this->timeout - $seconds)*1e6); + + return stream_set_timeout($this->resource, $seconds, $microseconds); + } + + /** + * Wrapper to allow mocking + */ + protected function fwrite($data) + { + return @fwrite($this->resource, $data); + } + + /** + * Wrapper to allow mocking + */ + protected function streamGetMetadata() + { + return stream_get_meta_data($this->resource); + } + + private function validateTimeout($value) + { + $ok = filter_var($value, FILTER_VALIDATE_FLOAT); + if ($ok === false || $value < 0) { + throw new \InvalidArgumentException("Timeout must be 0 or a positive float (got $value)"); + } + } + + private function connectIfNotConnected() + { + if ($this->isConnected()) { + return; + } + $this->connect(); + } + + protected function generateDataStream($record) + { + return (string) $record['formatted']; + } + + private function connect() + { + $this->createSocketResource(); + $this->setSocketTimeout(); + } + + private function createSocketResource() + { + if ($this->isPersistent()) { + $resource = $this->pfsockopen(); + } else { + $resource = $this->fsockopen(); + } + if (!$resource) { + throw new \UnexpectedValueException("Failed connecting to $this->connectionString ($this->errno: $this->errstr)"); + } + $this->resource = $resource; + } + + private function setSocketTimeout() + { + if (!$this->streamSetTimeout()) { + throw new \UnexpectedValueException("Failed setting timeout with stream_set_timeout()"); + } + } + + private function writeToSocket($data) + { + $length = strlen($data); + $sent = 0; + while ($this->isConnected() && $sent < $length) { + if (0 == $sent) { + $chunk = $this->fwrite($data); + } else { + $chunk = $this->fwrite(substr($data, $sent)); + } + if ($chunk === false) { + throw new \RuntimeException("Could not write to socket"); + } + $sent += $chunk; + $socketInfo = $this->streamGetMetadata(); + if ($socketInfo['timed_out']) { + throw new \RuntimeException("Write timed-out"); + } + } + if (!$this->isConnected() && $sent < $length) { + throw new \RuntimeException("End-of-file reached, probably we got disconnected (sent $sent of $length)"); + } + } + +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Monolog/Handler/StreamHandler.php b/apps/files_external/3rdparty/aws-sdk-php/Monolog/Handler/StreamHandler.php new file mode 100644 index 0000000000..96ce7fc0c0 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Monolog/Handler/StreamHandler.php @@ -0,0 +1,76 @@ + + * + * For the full copyright and license information, please view the LICENSE + * file that was distributed with this source code. + */ + +namespace Monolog\Handler; + +use Monolog\Logger; + +/** + * Stores to any stream resource + * + * Can be used to store into php://stderr, remote and local files, etc. + * + * @author Jordi Boggiano + */ +class StreamHandler extends AbstractProcessingHandler +{ + protected $stream; + protected $url; + + /** + * @param string $stream + * @param integer $level The minimum logging level at which this handler will be triggered + * @param Boolean $bubble Whether the messages that are handled can bubble up the stack or not + */ + public function __construct($stream, $level = Logger::DEBUG, $bubble = true) + { + parent::__construct($level, $bubble); + if (is_resource($stream)) { + $this->stream = $stream; + } else { + $this->url = $stream; + } + } + + /** + * {@inheritdoc} + */ + public function close() + { + if (is_resource($this->stream)) { + fclose($this->stream); + } + $this->stream = null; + } + + /** + * {@inheritdoc} + */ + protected function write(array $record) + { + if (null === $this->stream) { + if (!$this->url) { + throw new \LogicException('Missing stream url, the stream can not be opened. This may be caused by a premature call to close().'); + } + $errorMessage = null; + set_error_handler(function ($code, $msg) use (&$errorMessage) { + $errorMessage = preg_replace('{^fopen\(.*?\): }', '', $msg); + }); + $this->stream = fopen($this->url, 'a'); + restore_error_handler(); + if (!is_resource($this->stream)) { + $this->stream = null; + throw new \UnexpectedValueException(sprintf('The stream or file "%s" could not be opened: '.$errorMessage, $this->url)); + } + } + fwrite($this->stream, (string) $record['formatted']); + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Monolog/Handler/SwiftMailerHandler.php b/apps/files_external/3rdparty/aws-sdk-php/Monolog/Handler/SwiftMailerHandler.php new file mode 100644 index 0000000000..ca03ccaa9a --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Monolog/Handler/SwiftMailerHandler.php @@ -0,0 +1,55 @@ + + * + * For the full copyright and license information, please view the LICENSE + * file that was distributed with this source code. + */ + +namespace Monolog\Handler; + +use Monolog\Logger; + +/** + * SwiftMailerHandler uses Swift_Mailer to send the emails + * + * @author Gyula Sallai + */ +class SwiftMailerHandler extends MailHandler +{ + protected $mailer; + protected $message; + + /** + * @param \Swift_Mailer $mailer The mailer to use + * @param callable|\Swift_Message $message An example message for real messages, only the body will be replaced + * @param integer $level The minimum logging level at which this handler will be triggered + * @param Boolean $bubble Whether the messages that are handled can bubble up the stack or not + */ + public function __construct(\Swift_Mailer $mailer, $message, $level = Logger::ERROR, $bubble = true) + { + parent::__construct($level, $bubble); + $this->mailer = $mailer; + if (!$message instanceof \Swift_Message && is_callable($message)) { + $message = call_user_func($message); + } + if (!$message instanceof \Swift_Message) { + throw new \InvalidArgumentException('You must provide either a Swift_Message instance or a callable returning it'); + } + $this->message = $message; + } + + /** + * {@inheritdoc} + */ + protected function send($content, array $records) + { + $message = clone $this->message; + $message->setBody($content); + + $this->mailer->send($message); + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Monolog/Handler/SyslogHandler.php b/apps/files_external/3rdparty/aws-sdk-php/Monolog/Handler/SyslogHandler.php new file mode 100644 index 0000000000..c4856cf731 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Monolog/Handler/SyslogHandler.php @@ -0,0 +1,120 @@ + + * + * For the full copyright and license information, please view the LICENSE + * file that was distributed with this source code. + */ + +namespace Monolog\Handler; + +use Monolog\Logger; +use Monolog\Formatter\LineFormatter; + +/** + * Logs to syslog service. + * + * usage example: + * + * $log = new Logger('application'); + * $syslog = new SyslogHandler('myfacility', 'local6'); + * $formatter = new LineFormatter("%channel%.%level_name%: %message% %extra%"); + * $syslog->setFormatter($formatter); + * $log->pushHandler($syslog); + * + * @author Sven Paulus + */ +class SyslogHandler extends AbstractProcessingHandler +{ + /** + * Translates Monolog log levels to syslog log priorities. + */ + private $logLevels = array( + Logger::DEBUG => LOG_DEBUG, + Logger::INFO => LOG_INFO, + Logger::NOTICE => LOG_NOTICE, + Logger::WARNING => LOG_WARNING, + Logger::ERROR => LOG_ERR, + Logger::CRITICAL => LOG_CRIT, + Logger::ALERT => LOG_ALERT, + Logger::EMERGENCY => LOG_EMERG, + ); + + /** + * List of valid log facility names. + */ + private $facilities = array( + 'auth' => LOG_AUTH, + 'authpriv' => LOG_AUTHPRIV, + 'cron' => LOG_CRON, + 'daemon' => LOG_DAEMON, + 'kern' => LOG_KERN, + 'lpr' => LOG_LPR, + 'mail' => LOG_MAIL, + 'news' => LOG_NEWS, + 'syslog' => LOG_SYSLOG, + 'user' => LOG_USER, + 'uucp' => LOG_UUCP, + ); + + /** + * @param string $ident + * @param mixed $facility + * @param integer $level The minimum logging level at which this handler will be triggered + * @param Boolean $bubble Whether the messages that are handled can bubble up the stack or not + * @param int $logopts Option flags for the openlog() call, defaults to LOG_PID + */ + public function __construct($ident, $facility = LOG_USER, $level = Logger::DEBUG, $bubble = true, $logopts = LOG_PID) + { + parent::__construct($level, $bubble); + + if (!defined('PHP_WINDOWS_VERSION_BUILD')) { + $this->facilities['local0'] = LOG_LOCAL0; + $this->facilities['local1'] = LOG_LOCAL1; + $this->facilities['local2'] = LOG_LOCAL2; + $this->facilities['local3'] = LOG_LOCAL3; + $this->facilities['local4'] = LOG_LOCAL4; + $this->facilities['local5'] = LOG_LOCAL5; + $this->facilities['local6'] = LOG_LOCAL6; + $this->facilities['local7'] = LOG_LOCAL7; + } + + // convert textual description of facility to syslog constant + if (array_key_exists(strtolower($facility), $this->facilities)) { + $facility = $this->facilities[strtolower($facility)]; + } elseif (!in_array($facility, array_values($this->facilities), true)) { + throw new \UnexpectedValueException('Unknown facility value "'.$facility.'" given'); + } + + if (!openlog($ident, $logopts, $facility)) { + throw new \LogicException('Can\'t open syslog for ident "'.$ident.'" and facility "'.$facility.'"'); + } + } + + /** + * {@inheritdoc} + */ + public function close() + { + closelog(); + } + + /** + * {@inheritdoc} + */ + protected function write(array $record) + { + syslog($this->logLevels[$record['level']], (string) $record['formatted']); + } + + /** + * {@inheritdoc} + */ + protected function getDefaultFormatter() + { + return new LineFormatter('%channel%.%level_name%: %message% %context% %extra%'); + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Monolog/Handler/TestHandler.php b/apps/files_external/3rdparty/aws-sdk-php/Monolog/Handler/TestHandler.php new file mode 100644 index 0000000000..085d9e1719 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Monolog/Handler/TestHandler.php @@ -0,0 +1,140 @@ + + * + * For the full copyright and license information, please view the LICENSE + * file that was distributed with this source code. + */ + +namespace Monolog\Handler; + +use Monolog\Logger; + +/** + * Used for testing purposes. + * + * It records all records and gives you access to them for verification. + * + * @author Jordi Boggiano + */ +class TestHandler extends AbstractProcessingHandler +{ + protected $records = array(); + protected $recordsByLevel = array(); + + public function getRecords() + { + return $this->records; + } + + public function hasEmergency($record) + { + return $this->hasRecord($record, Logger::EMERGENCY); + } + + public function hasAlert($record) + { + return $this->hasRecord($record, Logger::ALERT); + } + + public function hasCritical($record) + { + return $this->hasRecord($record, Logger::CRITICAL); + } + + public function hasError($record) + { + return $this->hasRecord($record, Logger::ERROR); + } + + public function hasWarning($record) + { + return $this->hasRecord($record, Logger::WARNING); + } + + public function hasNotice($record) + { + return $this->hasRecord($record, Logger::NOTICE); + } + + public function hasInfo($record) + { + return $this->hasRecord($record, Logger::INFO); + } + + public function hasDebug($record) + { + return $this->hasRecord($record, Logger::DEBUG); + } + + public function hasEmergencyRecords() + { + return isset($this->recordsByLevel[Logger::EMERGENCY]); + } + + public function hasAlertRecords() + { + return isset($this->recordsByLevel[Logger::ALERT]); + } + + public function hasCriticalRecords() + { + return isset($this->recordsByLevel[Logger::CRITICAL]); + } + + public function hasErrorRecords() + { + return isset($this->recordsByLevel[Logger::ERROR]); + } + + public function hasWarningRecords() + { + return isset($this->recordsByLevel[Logger::WARNING]); + } + + public function hasNoticeRecords() + { + return isset($this->recordsByLevel[Logger::NOTICE]); + } + + public function hasInfoRecords() + { + return isset($this->recordsByLevel[Logger::INFO]); + } + + public function hasDebugRecords() + { + return isset($this->recordsByLevel[Logger::DEBUG]); + } + + protected function hasRecord($record, $level) + { + if (!isset($this->recordsByLevel[$level])) { + return false; + } + + if (is_array($record)) { + $record = $record['message']; + } + + foreach ($this->recordsByLevel[$level] as $rec) { + if ($rec['message'] === $record) { + return true; + } + } + + return false; + } + + /** + * {@inheritdoc} + */ + protected function write(array $record) + { + $this->recordsByLevel[$record['level']][] = $record; + $this->records[] = $record; + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Monolog/Handler/ZendMonitorHandler.php b/apps/files_external/3rdparty/aws-sdk-php/Monolog/Handler/ZendMonitorHandler.php new file mode 100644 index 0000000000..0a264231d6 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Monolog/Handler/ZendMonitorHandler.php @@ -0,0 +1,95 @@ + + * + * For the full copyright and license information, please view the LICENSE + * file that was distributed with this source code. + */ + +namespace Monolog\Handler; + +use Monolog\Formatter\NormalizerFormatter; +use Monolog\Logger; + +/** + * Handler sending logs to Zend Monitor + * + * @author Christian Bergau + */ +class ZendMonitorHandler extends AbstractProcessingHandler +{ + /** + * Monolog level / ZendMonitor Custom Event priority map + * + * @var array + */ + protected $levelMap = array( + Logger::DEBUG => 1, + Logger::INFO => 2, + Logger::NOTICE => 3, + Logger::WARNING => 4, + Logger::ERROR => 5, + Logger::CRITICAL => 6, + Logger::ALERT => 7, + Logger::EMERGENCY => 0, + ); + + /** + * Construct + * + * @param int $level + * @param bool $bubble + * @throws MissingExtensionException + */ + public function __construct($level = Logger::DEBUG, $bubble = true) + { + if (!function_exists('zend_monitor_custom_event')) { + throw new MissingExtensionException('You must have Zend Server installed in order to use this handler'); + } + parent::__construct($level, $bubble); + } + + /** + * {@inheritdoc} + */ + protected function write(array $record) + { + $this->writeZendMonitorCustomEvent( + $this->levelMap[$record['level']], + $record['message'], + $record['formatted'] + ); + } + + /** + * Write a record to Zend Monitor + * + * @param int $level + * @param string $message + * @param array $formatted + */ + protected function writeZendMonitorCustomEvent($level, $message, $formatted) + { + zend_monitor_custom_event($level, $message, $formatted); + } + + /** + * {@inheritdoc} + */ + public function getDefaultFormatter() + { + return new NormalizerFormatter(); + } + + /** + * Get the level map + * + * @return array + */ + public function getLevelMap() + { + return $this->levelMap; + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Monolog/Logger.php b/apps/files_external/3rdparty/aws-sdk-php/Monolog/Logger.php new file mode 100644 index 0000000000..78406e2d4d --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Monolog/Logger.php @@ -0,0 +1,554 @@ + + * + * For the full copyright and license information, please view the LICENSE + * file that was distributed with this source code. + */ + +namespace Monolog; + +use Monolog\Handler\HandlerInterface; +use Monolog\Handler\StreamHandler; +use Psr\Log\LoggerInterface; +use Psr\Log\InvalidArgumentException; + +/** + * Monolog log channel + * + * It contains a stack of Handlers and a stack of Processors, + * and uses them to store records that are added to it. + * + * @author Jordi Boggiano + */ +class Logger implements LoggerInterface +{ + /** + * Detailed debug information + */ + const DEBUG = 100; + + /** + * Interesting events + * + * Examples: User logs in, SQL logs. + */ + const INFO = 200; + + /** + * Uncommon events + */ + const NOTICE = 250; + + /** + * Exceptional occurrences that are not errors + * + * Examples: Use of deprecated APIs, poor use of an API, + * undesirable things that are not necessarily wrong. + */ + const WARNING = 300; + + /** + * Runtime errors + */ + const ERROR = 400; + + /** + * Critical conditions + * + * Example: Application component unavailable, unexpected exception. + */ + const CRITICAL = 500; + + /** + * Action must be taken immediately + * + * Example: Entire website down, database unavailable, etc. + * This should trigger the SMS alerts and wake you up. + */ + const ALERT = 550; + + /** + * Urgent alert. + */ + const EMERGENCY = 600; + + protected static $levels = array( + 100 => 'DEBUG', + 200 => 'INFO', + 250 => 'NOTICE', + 300 => 'WARNING', + 400 => 'ERROR', + 500 => 'CRITICAL', + 550 => 'ALERT', + 600 => 'EMERGENCY', + ); + + /** + * @var DateTimeZone + */ + protected static $timezone; + + protected $name; + + /** + * The handler stack + * + * @var array of Monolog\Handler\HandlerInterface + */ + protected $handlers; + + /** + * Processors that will process all log records + * + * To process records of a single handler instead, add the processor on that specific handler + * + * @var array of callables + */ + protected $processors; + + /** + * @param string $name The logging channel + * @param array $handlers Optional stack of handlers, the first one in the array is called first, etc. + * @param array $processors Optional array of processors + */ + public function __construct($name, array $handlers = array(), array $processors = array()) + { + $this->name = $name; + $this->handlers = $handlers; + $this->processors = $processors; + } + + /** + * @return string + */ + public function getName() + { + return $this->name; + } + + /** + * Pushes a handler on to the stack. + * + * @param HandlerInterface $handler + */ + public function pushHandler(HandlerInterface $handler) + { + array_unshift($this->handlers, $handler); + } + + /** + * Pops a handler from the stack + * + * @return HandlerInterface + */ + public function popHandler() + { + if (!$this->handlers) { + throw new \LogicException('You tried to pop from an empty handler stack.'); + } + + return array_shift($this->handlers); + } + + /** + * Adds a processor on to the stack. + * + * @param callable $callback + */ + public function pushProcessor($callback) + { + if (!is_callable($callback)) { + throw new \InvalidArgumentException('Processors must be valid callables (callback or object with an __invoke method), '.var_export($callback, true).' given'); + } + array_unshift($this->processors, $callback); + } + + /** + * Removes the processor on top of the stack and returns it. + * + * @return callable + */ + public function popProcessor() + { + if (!$this->processors) { + throw new \LogicException('You tried to pop from an empty processor stack.'); + } + + return array_shift($this->processors); + } + + /** + * Adds a log record. + * + * @param integer $level The logging level + * @param string $message The log message + * @param array $context The log context + * @return Boolean Whether the record has been processed + */ + public function addRecord($level, $message, array $context = array()) + { + if (!$this->handlers) { + $this->pushHandler(new StreamHandler('php://stderr', static::DEBUG)); + } + + if (!static::$timezone) { + static::$timezone = new \DateTimeZone(date_default_timezone_get() ?: 'UTC'); + } + + $record = array( + 'message' => (string) $message, + 'context' => $context, + 'level' => $level, + 'level_name' => static::getLevelName($level), + 'channel' => $this->name, + 'datetime' => \DateTime::createFromFormat('U.u', sprintf('%.6F', microtime(true)), static::$timezone)->setTimezone(static::$timezone), + 'extra' => array(), + ); + // check if any handler will handle this message + $handlerKey = null; + foreach ($this->handlers as $key => $handler) { + if ($handler->isHandling($record)) { + $handlerKey = $key; + break; + } + } + // none found + if (null === $handlerKey) { + return false; + } + + // found at least one, process message and dispatch it + foreach ($this->processors as $processor) { + $record = call_user_func($processor, $record); + } + while (isset($this->handlers[$handlerKey]) && + false === $this->handlers[$handlerKey]->handle($record)) { + $handlerKey++; + } + + return true; + } + + /** + * Adds a log record at the DEBUG level. + * + * @param string $message The log message + * @param array $context The log context + * @return Boolean Whether the record has been processed + */ + public function addDebug($message, array $context = array()) + { + return $this->addRecord(static::DEBUG, $message, $context); + } + + /** + * Adds a log record at the INFO level. + * + * @param string $message The log message + * @param array $context The log context + * @return Boolean Whether the record has been processed + */ + public function addInfo($message, array $context = array()) + { + return $this->addRecord(static::INFO, $message, $context); + } + + /** + * Adds a log record at the NOTICE level. + * + * @param string $message The log message + * @param array $context The log context + * @return Boolean Whether the record has been processed + */ + public function addNotice($message, array $context = array()) + { + return $this->addRecord(static::NOTICE, $message, $context); + } + + /** + * Adds a log record at the WARNING level. + * + * @param string $message The log message + * @param array $context The log context + * @return Boolean Whether the record has been processed + */ + public function addWarning($message, array $context = array()) + { + return $this->addRecord(static::WARNING, $message, $context); + } + + /** + * Adds a log record at the ERROR level. + * + * @param string $message The log message + * @param array $context The log context + * @return Boolean Whether the record has been processed + */ + public function addError($message, array $context = array()) + { + return $this->addRecord(static::ERROR, $message, $context); + } + + /** + * Adds a log record at the CRITICAL level. + * + * @param string $message The log message + * @param array $context The log context + * @return Boolean Whether the record has been processed + */ + public function addCritical($message, array $context = array()) + { + return $this->addRecord(static::CRITICAL, $message, $context); + } + + /** + * Adds a log record at the ALERT level. + * + * @param string $message The log message + * @param array $context The log context + * @return Boolean Whether the record has been processed + */ + public function addAlert($message, array $context = array()) + { + return $this->addRecord(static::ALERT, $message, $context); + } + + /** + * Adds a log record at the EMERGENCY level. + * + * @param string $message The log message + * @param array $context The log context + * @return Boolean Whether the record has been processed + */ + public function addEmergency($message, array $context = array()) + { + return $this->addRecord(static::EMERGENCY, $message, $context); + } + + /** + * Gets the name of the logging level. + * + * @param integer $level + * @return string + */ + public static function getLevelName($level) + { + if (!isset(static::$levels[$level])) { + throw new InvalidArgumentException('Level "'.$level.'" is not defined, use one of: '.implode(', ', array_keys(static::$levels))); + } + + return static::$levels[$level]; + } + + /** + * Checks whether the Logger has a handler that listens on the given level + * + * @param integer $level + * @return Boolean + */ + public function isHandling($level) + { + $record = array( + 'level' => $level, + ); + + foreach ($this->handlers as $key => $handler) { + if ($handler->isHandling($record)) { + return true; + } + } + + return false; + } + + /** + * Adds a log record at an arbitrary level. + * + * This method allows for compatibility with common interfaces. + * + * @param mixed $level The log level + * @param string $message The log message + * @param array $context The log context + * @return Boolean Whether the record has been processed + */ + public function log($level, $message, array $context = array()) + { + if (is_string($level) && defined(__CLASS__.'::'.strtoupper($level))) { + $level = constant(__CLASS__.'::'.strtoupper($level)); + } + + return $this->addRecord($level, $message, $context); + } + + /** + * Adds a log record at the DEBUG level. + * + * This method allows for compatibility with common interfaces. + * + * @param string $message The log message + * @param array $context The log context + * @return Boolean Whether the record has been processed + */ + public function debug($message, array $context = array()) + { + return $this->addRecord(static::DEBUG, $message, $context); + } + + /** + * Adds a log record at the INFO level. + * + * This method allows for compatibility with common interfaces. + * + * @param string $message The log message + * @param array $context The log context + * @return Boolean Whether the record has been processed + */ + public function info($message, array $context = array()) + { + return $this->addRecord(static::INFO, $message, $context); + } + + /** + * Adds a log record at the INFO level. + * + * This method allows for compatibility with common interfaces. + * + * @param string $message The log message + * @param array $context The log context + * @return Boolean Whether the record has been processed + */ + public function notice($message, array $context = array()) + { + return $this->addRecord(static::NOTICE, $message, $context); + } + + /** + * Adds a log record at the WARNING level. + * + * This method allows for compatibility with common interfaces. + * + * @param string $message The log message + * @param array $context The log context + * @return Boolean Whether the record has been processed + */ + public function warn($message, array $context = array()) + { + return $this->addRecord(static::WARNING, $message, $context); + } + + /** + * Adds a log record at the WARNING level. + * + * This method allows for compatibility with common interfaces. + * + * @param string $message The log message + * @param array $context The log context + * @return Boolean Whether the record has been processed + */ + public function warning($message, array $context = array()) + { + return $this->addRecord(static::WARNING, $message, $context); + } + + /** + * Adds a log record at the ERROR level. + * + * This method allows for compatibility with common interfaces. + * + * @param string $message The log message + * @param array $context The log context + * @return Boolean Whether the record has been processed + */ + public function err($message, array $context = array()) + { + return $this->addRecord(static::ERROR, $message, $context); + } + + /** + * Adds a log record at the ERROR level. + * + * This method allows for compatibility with common interfaces. + * + * @param string $message The log message + * @param array $context The log context + * @return Boolean Whether the record has been processed + */ + public function error($message, array $context = array()) + { + return $this->addRecord(static::ERROR, $message, $context); + } + + /** + * Adds a log record at the CRITICAL level. + * + * This method allows for compatibility with common interfaces. + * + * @param string $message The log message + * @param array $context The log context + * @return Boolean Whether the record has been processed + */ + public function crit($message, array $context = array()) + { + return $this->addRecord(static::CRITICAL, $message, $context); + } + + /** + * Adds a log record at the CRITICAL level. + * + * This method allows for compatibility with common interfaces. + * + * @param string $message The log message + * @param array $context The log context + * @return Boolean Whether the record has been processed + */ + public function critical($message, array $context = array()) + { + return $this->addRecord(static::CRITICAL, $message, $context); + } + + /** + * Adds a log record at the ALERT level. + * + * This method allows for compatibility with common interfaces. + * + * @param string $message The log message + * @param array $context The log context + * @return Boolean Whether the record has been processed + */ + public function alert($message, array $context = array()) + { + return $this->addRecord(static::ALERT, $message, $context); + } + + /** + * Adds a log record at the EMERGENCY level. + * + * This method allows for compatibility with common interfaces. + * + * @param string $message The log message + * @param array $context The log context + * @return Boolean Whether the record has been processed + */ + public function emerg($message, array $context = array()) + { + return $this->addRecord(static::EMERGENCY, $message, $context); + } + + /** + * Adds a log record at the EMERGENCY level. + * + * This method allows for compatibility with common interfaces. + * + * @param string $message The log message + * @param array $context The log context + * @return Boolean Whether the record has been processed + */ + public function emergency($message, array $context = array()) + { + return $this->addRecord(static::EMERGENCY, $message, $context); + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Monolog/Processor/IntrospectionProcessor.php b/apps/files_external/3rdparty/aws-sdk-php/Monolog/Processor/IntrospectionProcessor.php new file mode 100644 index 0000000000..b126218ee4 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Monolog/Processor/IntrospectionProcessor.php @@ -0,0 +1,58 @@ + + * + * For the full copyright and license information, please view the LICENSE + * file that was distributed with this source code. + */ + +namespace Monolog\Processor; + +/** + * Injects line/file:class/function where the log message came from + * + * Warning: This only works if the handler processes the logs directly. + * If you put the processor on a handler that is behind a FingersCrossedHandler + * for example, the processor will only be called once the trigger level is reached, + * and all the log records will have the same file/line/.. data from the call that + * triggered the FingersCrossedHandler. + * + * @author Jordi Boggiano + */ +class IntrospectionProcessor +{ + /** + * @param array $record + * @return array + */ + public function __invoke(array $record) + { + $trace = debug_backtrace(); + + // skip first since it's always the current method + array_shift($trace); + // the call_user_func call is also skipped + array_shift($trace); + + $i = 0; + while (isset($trace[$i]['class']) && false !== strpos($trace[$i]['class'], 'Monolog\\')) { + $i++; + } + + // we should have the call source now + $record['extra'] = array_merge( + $record['extra'], + array( + 'file' => isset($trace[$i-1]['file']) ? $trace[$i-1]['file'] : null, + 'line' => isset($trace[$i-1]['line']) ? $trace[$i-1]['line'] : null, + 'class' => isset($trace[$i]['class']) ? $trace[$i]['class'] : null, + 'function' => isset($trace[$i]['function']) ? $trace[$i]['function'] : null, + ) + ); + + return $record; + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Monolog/Processor/MemoryPeakUsageProcessor.php b/apps/files_external/3rdparty/aws-sdk-php/Monolog/Processor/MemoryPeakUsageProcessor.php new file mode 100644 index 0000000000..e48672bf2e --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Monolog/Processor/MemoryPeakUsageProcessor.php @@ -0,0 +1,40 @@ + + * + * For the full copyright and license information, please view the LICENSE + * file that was distributed with this source code. + */ + +namespace Monolog\Processor; + +/** + * Injects memory_get_peak_usage in all records + * + * @see Monolog\Processor\MemoryProcessor::__construct() for options + * @author Rob Jensen + */ +class MemoryPeakUsageProcessor extends MemoryProcessor +{ + /** + * @param array $record + * @return array + */ + public function __invoke(array $record) + { + $bytes = memory_get_peak_usage($this->realUsage); + $formatted = self::formatBytes($bytes); + + $record['extra'] = array_merge( + $record['extra'], + array( + 'memory_peak_usage' => $formatted, + ) + ); + + return $record; + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Monolog/Processor/MemoryProcessor.php b/apps/files_external/3rdparty/aws-sdk-php/Monolog/Processor/MemoryProcessor.php new file mode 100644 index 0000000000..7551043e12 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Monolog/Processor/MemoryProcessor.php @@ -0,0 +1,50 @@ + + * + * For the full copyright and license information, please view the LICENSE + * file that was distributed with this source code. + */ + +namespace Monolog\Processor; + +/** + * Some methods that are common for all memory processors + * + * @author Rob Jensen + */ +abstract class MemoryProcessor +{ + protected $realUsage; + + /** + * @param boolean $realUsage + */ + public function __construct($realUsage = true) + { + $this->realUsage = (boolean) $realUsage; + } + + /** + * Formats bytes into a human readable string + * + * @param int $bytes + * @return string + */ + protected static function formatBytes($bytes) + { + $bytes = (int) $bytes; + + if ($bytes > 1024*1024) { + return round($bytes/1024/1024, 2).' MB'; + } elseif ($bytes > 1024) { + return round($bytes/1024, 2).' KB'; + } + + return $bytes . ' B'; + } + +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Monolog/Processor/MemoryUsageProcessor.php b/apps/files_external/3rdparty/aws-sdk-php/Monolog/Processor/MemoryUsageProcessor.php new file mode 100644 index 0000000000..2c4a8079f0 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Monolog/Processor/MemoryUsageProcessor.php @@ -0,0 +1,40 @@ + + * + * For the full copyright and license information, please view the LICENSE + * file that was distributed with this source code. + */ + +namespace Monolog\Processor; + +/** + * Injects memory_get_usage in all records + * + * @see Monolog\Processor\MemoryProcessor::__construct() for options + * @author Rob Jensen + */ +class MemoryUsageProcessor extends MemoryProcessor +{ + /** + * @param array $record + * @return array + */ + public function __invoke(array $record) + { + $bytes = memory_get_usage($this->realUsage); + $formatted = self::formatBytes($bytes); + + $record['extra'] = array_merge( + $record['extra'], + array( + 'memory_usage' => $formatted, + ) + ); + + return $record; + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Monolog/Processor/PsrLogMessageProcessor.php b/apps/files_external/3rdparty/aws-sdk-php/Monolog/Processor/PsrLogMessageProcessor.php new file mode 100644 index 0000000000..b63fcccce3 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Monolog/Processor/PsrLogMessageProcessor.php @@ -0,0 +1,42 @@ + + * + * For the full copyright and license information, please view the LICENSE + * file that was distributed with this source code. + */ + +namespace Monolog\Processor; + +/** + * Processes a record's message according to PSR-3 rules + * + * It replaces {foo} with the value from $context['foo'] + * + * @author Jordi Boggiano + */ +class PsrLogMessageProcessor +{ + /** + * @param array $record + * @return array + */ + public function __invoke(array $record) + { + if (false === strpos($record['message'], '{')) { + return $record; + } + + $replacements = array(); + foreach ($record['context'] as $key => $val) { + $replacements['{'.$key.'}'] = $val; + } + + $record['message'] = strtr($record['message'], $replacements); + + return $record; + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Monolog/Processor/WebProcessor.php b/apps/files_external/3rdparty/aws-sdk-php/Monolog/Processor/WebProcessor.php new file mode 100644 index 0000000000..9916cc087f --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Monolog/Processor/WebProcessor.php @@ -0,0 +1,62 @@ + + * + * For the full copyright and license information, please view the LICENSE + * file that was distributed with this source code. + */ + +namespace Monolog\Processor; + +/** + * Injects url/method and remote IP of the current web request in all records + * + * @author Jordi Boggiano + */ +class WebProcessor +{ + protected $serverData; + + /** + * @param mixed $serverData array or object w/ ArrayAccess that provides access to the $_SERVER data + */ + public function __construct($serverData = null) + { + if (null === $serverData) { + $this->serverData =& $_SERVER; + } elseif (is_array($serverData) || $serverData instanceof \ArrayAccess) { + $this->serverData = $serverData; + } else { + throw new \UnexpectedValueException('$serverData must be an array or object implementing ArrayAccess.'); + } + } + + /** + * @param array $record + * @return array + */ + public function __invoke(array $record) + { + // skip processing if for some reason request data + // is not present (CLI or wonky SAPIs) + if (!isset($this->serverData['REQUEST_URI'])) { + return $record; + } + + $record['extra'] = array_merge( + $record['extra'], + array( + 'url' => $this->serverData['REQUEST_URI'], + 'ip' => isset($this->serverData['REMOTE_ADDR']) ? $this->serverData['REMOTE_ADDR'] : null, + 'http_method' => isset($this->serverData['REQUEST_METHOD']) ? $this->serverData['REQUEST_METHOD'] : null, + 'server' => isset($this->serverData['SERVER_NAME']) ? $this->serverData['SERVER_NAME'] : null, + 'referrer' => isset($this->serverData['HTTP_REFERER']) ? $this->serverData['HTTP_REFERER'] : null, + ) + ); + + return $record; + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Psr/Log/AbstractLogger.php b/apps/files_external/3rdparty/aws-sdk-php/Psr/Log/AbstractLogger.php new file mode 100644 index 0000000000..00f9034521 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Psr/Log/AbstractLogger.php @@ -0,0 +1,120 @@ +log(LogLevel::EMERGENCY, $message, $context); + } + + /** + * Action must be taken immediately. + * + * Example: Entire website down, database unavailable, etc. This should + * trigger the SMS alerts and wake you up. + * + * @param string $message + * @param array $context + * @return null + */ + public function alert($message, array $context = array()) + { + $this->log(LogLevel::ALERT, $message, $context); + } + + /** + * Critical conditions. + * + * Example: Application component unavailable, unexpected exception. + * + * @param string $message + * @param array $context + * @return null + */ + public function critical($message, array $context = array()) + { + $this->log(LogLevel::CRITICAL, $message, $context); + } + + /** + * Runtime errors that do not require immediate action but should typically + * be logged and monitored. + * + * @param string $message + * @param array $context + * @return null + */ + public function error($message, array $context = array()) + { + $this->log(LogLevel::ERROR, $message, $context); + } + + /** + * Exceptional occurrences that are not errors. + * + * Example: Use of deprecated APIs, poor use of an API, undesirable things + * that are not necessarily wrong. + * + * @param string $message + * @param array $context + * @return null + */ + public function warning($message, array $context = array()) + { + $this->log(LogLevel::WARNING, $message, $context); + } + + /** + * Normal but significant events. + * + * @param string $message + * @param array $context + * @return null + */ + public function notice($message, array $context = array()) + { + $this->log(LogLevel::NOTICE, $message, $context); + } + + /** + * Interesting events. + * + * Example: User logs in, SQL logs. + * + * @param string $message + * @param array $context + * @return null + */ + public function info($message, array $context = array()) + { + $this->log(LogLevel::INFO, $message, $context); + } + + /** + * Detailed debug information. + * + * @param string $message + * @param array $context + * @return null + */ + public function debug($message, array $context = array()) + { + $this->log(LogLevel::DEBUG, $message, $context); + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Psr/Log/InvalidArgumentException.php b/apps/files_external/3rdparty/aws-sdk-php/Psr/Log/InvalidArgumentException.php new file mode 100644 index 0000000000..67f852d1db --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Psr/Log/InvalidArgumentException.php @@ -0,0 +1,7 @@ +logger = $logger; + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Psr/Log/LoggerInterface.php b/apps/files_external/3rdparty/aws-sdk-php/Psr/Log/LoggerInterface.php new file mode 100644 index 0000000000..476bb962af --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Psr/Log/LoggerInterface.php @@ -0,0 +1,114 @@ +log(LogLevel::EMERGENCY, $message, $context); + } + + /** + * Action must be taken immediately. + * + * Example: Entire website down, database unavailable, etc. This should + * trigger the SMS alerts and wake you up. + * + * @param string $message + * @param array $context + * @return null + */ + public function alert($message, array $context = array()) + { + $this->log(LogLevel::ALERT, $message, $context); + } + + /** + * Critical conditions. + * + * Example: Application component unavailable, unexpected exception. + * + * @param string $message + * @param array $context + * @return null + */ + public function critical($message, array $context = array()) + { + $this->log(LogLevel::CRITICAL, $message, $context); + } + + /** + * Runtime errors that do not require immediate action but should typically + * be logged and monitored. + * + * @param string $message + * @param array $context + * @return null + */ + public function error($message, array $context = array()) + { + $this->log(LogLevel::ERROR, $message, $context); + } + + /** + * Exceptional occurrences that are not errors. + * + * Example: Use of deprecated APIs, poor use of an API, undesirable things + * that are not necessarily wrong. + * + * @param string $message + * @param array $context + * @return null + */ + public function warning($message, array $context = array()) + { + $this->log(LogLevel::WARNING, $message, $context); + } + + /** + * Normal but significant events. + * + * @param string $message + * @param array $context + * @return null + */ + public function notice($message, array $context = array()) + { + $this->log(LogLevel::NOTICE, $message, $context); + } + + /** + * Interesting events. + * + * Example: User logs in, SQL logs. + * + * @param string $message + * @param array $context + * @return null + */ + public function info($message, array $context = array()) + { + $this->log(LogLevel::INFO, $message, $context); + } + + /** + * Detailed debug information. + * + * @param string $message + * @param array $context + * @return null + */ + public function debug($message, array $context = array()) + { + $this->log(LogLevel::DEBUG, $message, $context); + } + + /** + * Logs with an arbitrary level. + * + * @param mixed $level + * @param string $message + * @param array $context + * @return null + */ + abstract public function log($level, $message, array $context = array()); +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Psr/Log/NullLogger.php b/apps/files_external/3rdparty/aws-sdk-php/Psr/Log/NullLogger.php new file mode 100644 index 0000000000..553a3c593a --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Psr/Log/NullLogger.php @@ -0,0 +1,27 @@ +logger) { }` + * blocks. + */ +class NullLogger extends AbstractLogger +{ + /** + * Logs with an arbitrary level. + * + * @param mixed $level + * @param string $message + * @param array $context + * @return null + */ + public function log($level, $message, array $context = array()) + { + // noop + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Psr/Log/Test/LoggerInterfaceTest.php b/apps/files_external/3rdparty/aws-sdk-php/Psr/Log/Test/LoggerInterfaceTest.php new file mode 100644 index 0000000000..a932815111 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Psr/Log/Test/LoggerInterfaceTest.php @@ -0,0 +1,116 @@ + " + * + * Example ->error('Foo') would yield "error Foo" + * + * @return string[] + */ + abstract function getLogs(); + + public function testImplements() + { + $this->assertInstanceOf('Psr\Log\LoggerInterface', $this->getLogger()); + } + + /** + * @dataProvider provideLevelsAndMessages + */ + public function testLogsAtAllLevels($level, $message) + { + $logger = $this->getLogger(); + $logger->{$level}($message, array('user' => 'Bob')); + $logger->log($level, $message, array('user' => 'Bob')); + + $expected = array( + $level.' message of level '.$level.' with context: Bob', + $level.' message of level '.$level.' with context: Bob', + ); + $this->assertEquals($expected, $this->getLogs()); + } + + public function provideLevelsAndMessages() + { + return array( + LogLevel::EMERGENCY => array(LogLevel::EMERGENCY, 'message of level emergency with context: {user}'), + LogLevel::ALERT => array(LogLevel::ALERT, 'message of level alert with context: {user}'), + LogLevel::CRITICAL => array(LogLevel::CRITICAL, 'message of level critical with context: {user}'), + LogLevel::ERROR => array(LogLevel::ERROR, 'message of level error with context: {user}'), + LogLevel::WARNING => array(LogLevel::WARNING, 'message of level warning with context: {user}'), + LogLevel::NOTICE => array(LogLevel::NOTICE, 'message of level notice with context: {user}'), + LogLevel::INFO => array(LogLevel::INFO, 'message of level info with context: {user}'), + LogLevel::DEBUG => array(LogLevel::DEBUG, 'message of level debug with context: {user}'), + ); + } + + /** + * @expectedException Psr\Log\InvalidArgumentException + */ + public function testThrowsOnInvalidLevel() + { + $logger = $this->getLogger(); + $logger->log('invalid level', 'Foo'); + } + + public function testContextReplacement() + { + $logger = $this->getLogger(); + $logger->info('{Message {nothing} {user} {foo.bar} a}', array('user' => 'Bob', 'foo.bar' => 'Bar')); + + $expected = array('info {Message {nothing} Bob Bar a}'); + $this->assertEquals($expected, $this->getLogs()); + } + + public function testObjectCastToString() + { + $dummy = $this->getMock('Psr\Log\Test\DummyTest', array('__toString')); + $dummy->expects($this->once()) + ->method('__toString') + ->will($this->returnValue('DUMMY')); + + $this->getLogger()->warning($dummy); + } + + public function testContextCanContainAnything() + { + $context = array( + 'bool' => true, + 'null' => null, + 'string' => 'Foo', + 'int' => 0, + 'float' => 0.5, + 'nested' => array('with object' => new DummyTest), + 'object' => new \DateTime, + 'resource' => fopen('php://memory', 'r'), + ); + + $this->getLogger()->warning('Crazy context data', $context); + } + + public function testContextExceptionKeyCanBeExceptionOrOtherValues() + { + $this->getLogger()->warning('Random message', array('exception' => 'oops')); + $this->getLogger()->critical('Uncaught Exception!', array('exception' => new \LogicException('Fail'))); + } +} + +class DummyTest +{ +} \ No newline at end of file diff --git a/apps/files_external/3rdparty/aws-sdk-php/Symfony/Component/ClassLoader/ApcClassLoader.php b/apps/files_external/3rdparty/aws-sdk-php/Symfony/Component/ClassLoader/ApcClassLoader.php new file mode 100644 index 0000000000..c4c156f703 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Symfony/Component/ClassLoader/ApcClassLoader.php @@ -0,0 +1,137 @@ + + * + * For the full copyright and license information, please view the LICENSE + * file that was distributed with this source code. + */ + +namespace Symfony\Component\ClassLoader; + +/** + * ApcClassLoader implements a wrapping autoloader cached in APC for PHP 5.3. + * + * It expects an object implementing a findFile method to find the file. This + * allow using it as a wrapper around the other loaders of the component (the + * ClassLoader and the UniversalClassLoader for instance) but also around any + * other autoloader following this convention (the Composer one for instance) + * + * $loader = new ClassLoader(); + * + * // register classes with namespaces + * $loader->add('Symfony\Component', __DIR__.'/component'); + * $loader->add('Symfony', __DIR__.'/framework'); + * + * $cachedLoader = new ApcClassLoader('my_prefix', $loader); + * + * // activate the cached autoloader + * $cachedLoader->register(); + * + * // eventually deactivate the non-cached loader if it was registered previously + * // to be sure to use the cached one. + * $loader->unregister(); + * + * @author Fabien Potencier + * @author Kris Wallsmith + * + * @api + */ +class ApcClassLoader +{ + private $prefix; + + /** + * The class loader object being decorated. + * + * @var \Symfony\Component\ClassLoader\ClassLoader + * A class loader object that implements the findFile() method. + */ + protected $decorated; + + /** + * Constructor. + * + * @param string $prefix The APC namespace prefix to use. + * @param object $decorated A class loader object that implements the findFile() method. + * + * @throws \RuntimeException + * @throws \InvalidArgumentException + * + * @api + */ + public function __construct($prefix, $decorated) + { + if (!extension_loaded('apc')) { + throw new \RuntimeException('Unable to use ApcClassLoader as APC is not enabled.'); + } + + if (!method_exists($decorated, 'findFile')) { + throw new \InvalidArgumentException('The class finder must implement a "findFile" method.'); + } + + $this->prefix = $prefix; + $this->decorated = $decorated; + } + + /** + * Registers this instance as an autoloader. + * + * @param Boolean $prepend Whether to prepend the autoloader or not + */ + public function register($prepend = false) + { + spl_autoload_register(array($this, 'loadClass'), true, $prepend); + } + + /** + * Unregisters this instance as an autoloader. + */ + public function unregister() + { + spl_autoload_unregister(array($this, 'loadClass')); + } + + /** + * Loads the given class or interface. + * + * @param string $class The name of the class + * + * @return Boolean|null True, if loaded + */ + public function loadClass($class) + { + if ($file = $this->findFile($class)) { + require $file; + + return true; + } + } + + /** + * Finds a file by class name while caching lookups to APC. + * + * @param string $class A class name to resolve to file + * + * @return string|null + */ + public function findFile($class) + { + if (false === $file = apc_fetch($this->prefix.$class)) { + apc_store($this->prefix.$class, $file = $this->decorated->findFile($class)); + } + + return $file; + } + + /** + * Passes through all unknown calls onto the decorated object. + */ + public function __call($method, $args) + { + return call_user_func_array(array($this->decorated, $method), $args); + } + +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Symfony/Component/ClassLoader/ApcUniversalClassLoader.php b/apps/files_external/3rdparty/aws-sdk-php/Symfony/Component/ClassLoader/ApcUniversalClassLoader.php new file mode 100644 index 0000000000..023f7ba1a6 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Symfony/Component/ClassLoader/ApcUniversalClassLoader.php @@ -0,0 +1,100 @@ + + * + * For the full copyright and license information, please view the LICENSE + * file that was distributed with this source code. + */ + +namespace Symfony\Component\ClassLoader; + +/** + * ApcUniversalClassLoader implements a "universal" autoloader cached in APC for PHP 5.3. + * + * It is able to load classes that use either: + * + * * The technical interoperability standards for PHP 5.3 namespaces and + * class names (https://github.com/php-fig/fig-standards/blob/master/accepted/PSR-0.md); + * + * * The PEAR naming convention for classes (http://pear.php.net/). + * + * Classes from a sub-namespace or a sub-hierarchy of PEAR classes can be + * looked for in a list of locations to ease the vendoring of a sub-set of + * classes for large projects. + * + * Example usage: + * + * require 'vendor/symfony/src/Symfony/Component/ClassLoader/UniversalClassLoader.php'; + * require 'vendor/symfony/src/Symfony/Component/ClassLoader/ApcUniversalClassLoader.php'; + * + * use Symfony\Component\ClassLoader\ApcUniversalClassLoader; + * + * $loader = new ApcUniversalClassLoader('apc.prefix.'); + * + * // register classes with namespaces + * $loader->registerNamespaces(array( + * 'Symfony\Component' => __DIR__.'/component', + * 'Symfony' => __DIR__.'/framework', + * 'Sensio' => array(__DIR__.'/src', __DIR__.'/vendor'), + * )); + * + * // register a library using the PEAR naming convention + * $loader->registerPrefixes(array( + * 'Swift_' => __DIR__.'/Swift', + * )); + * + * // activate the autoloader + * $loader->register(); + * + * In this example, if you try to use a class in the Symfony\Component + * namespace or one of its children (Symfony\Component\Console for instance), + * the autoloader will first look for the class under the component/ + * directory, and it will then fallback to the framework/ directory if not + * found before giving up. + * + * @author Fabien Potencier + * @author Kris Wallsmith + * + * @api + */ +class ApcUniversalClassLoader extends UniversalClassLoader +{ + private $prefix; + + /** + * Constructor. + * + * @param string $prefix A prefix to create a namespace in APC + * + * @throws \RuntimeException + * + * @api + */ + public function __construct($prefix) + { + if (!extension_loaded('apc')) { + throw new \RuntimeException('Unable to use ApcUniversalClassLoader as APC is not enabled.'); + } + + $this->prefix = $prefix; + } + + /** + * Finds a file by class name while caching lookups to APC. + * + * @param string $class A class name to resolve to file + * + * @return string|null The path, if found + */ + public function findFile($class) + { + if (false === $file = apc_fetch($this->prefix.$class)) { + apc_store($this->prefix.$class, $file = parent::findFile($class)); + } + + return $file; + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Symfony/Component/ClassLoader/ClassCollectionLoader.php b/apps/files_external/3rdparty/aws-sdk-php/Symfony/Component/ClassLoader/ClassCollectionLoader.php new file mode 100644 index 0000000000..be1c7e2b55 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Symfony/Component/ClassLoader/ClassCollectionLoader.php @@ -0,0 +1,367 @@ + + * + * For the full copyright and license information, please view the LICENSE + * file that was distributed with this source code. + */ + +namespace Symfony\Component\ClassLoader; + +/** + * ClassCollectionLoader. + * + * @author Fabien Potencier + */ +class ClassCollectionLoader +{ + private static $loaded; + private static $seen; + private static $useTokenizer = true; + + /** + * Loads a list of classes and caches them in one big file. + * + * @param array $classes An array of classes to load + * @param string $cacheDir A cache directory + * @param string $name The cache name prefix + * @param Boolean $autoReload Whether to flush the cache when the cache is stale or not + * @param Boolean $adaptive Whether to remove already declared classes or not + * @param string $extension File extension of the resulting file + * + * @throws \InvalidArgumentException When class can't be loaded + */ + public static function load($classes, $cacheDir, $name, $autoReload, $adaptive = false, $extension = '.php') + { + // each $name can only be loaded once per PHP process + if (isset(self::$loaded[$name])) { + return; + } + + self::$loaded[$name] = true; + + $declared = array_merge(get_declared_classes(), get_declared_interfaces()); + if (function_exists('get_declared_traits')) { + $declared = array_merge($declared, get_declared_traits()); + } + + if ($adaptive) { + // don't include already declared classes + $classes = array_diff($classes, $declared); + + // the cache is different depending on which classes are already declared + $name = $name.'-'.substr(md5(implode('|', $classes)), 0, 5); + } + + $classes = array_unique($classes); + + $cache = $cacheDir.'/'.$name.$extension; + + // auto-reload + $reload = false; + if ($autoReload) { + $metadata = $cache.'.meta'; + if (!is_file($metadata) || !is_file($cache)) { + $reload = true; + } else { + $time = filemtime($cache); + $meta = unserialize(file_get_contents($metadata)); + + sort($meta[1]); + sort($classes); + + if ($meta[1] != $classes) { + $reload = true; + } else { + foreach ($meta[0] as $resource) { + if (!is_file($resource) || filemtime($resource) > $time) { + $reload = true; + + break; + } + } + } + } + } + + if (!$reload && is_file($cache)) { + require_once $cache; + + return; + } + + $files = array(); + $content = ''; + foreach (self::getOrderedClasses($classes) as $class) { + if (in_array($class->getName(), $declared)) { + continue; + } + + $files[] = $class->getFileName(); + + $c = preg_replace(array('/^\s*<\?php/', '/\?>\s*$/'), '', file_get_contents($class->getFileName())); + + // fakes namespace declaration for global code + if (!$class->inNamespace()) { + $c = "\nnamespace\n{\n".$c."\n}\n"; + } + + $c = self::fixNamespaceDeclarations('getName()])) { + return array(); + } + + self::$seen[$class->getName()] = true; + + $classes = array($class); + $parent = $class; + while (($parent = $parent->getParentClass()) && $parent->isUserDefined() && !isset(self::$seen[$parent->getName()])) { + self::$seen[$parent->getName()] = true; + + array_unshift($classes, $parent); + } + + $traits = array(); + + if (function_exists('get_declared_traits')) { + foreach ($classes as $c) { + foreach (self::resolveDependencies(self::computeTraitDeps($c), $c) as $trait) { + if ($trait !== $c) { + $traits[] = $trait; + } + } + } + } + + return array_merge(self::getInterfaces($class), $traits, $classes); + } + + private static function getInterfaces(\ReflectionClass $class) + { + $classes = array(); + + foreach ($class->getInterfaces() as $interface) { + $classes = array_merge($classes, self::getInterfaces($interface)); + } + + if ($class->isUserDefined() && $class->isInterface() && !isset(self::$seen[$class->getName()])) { + self::$seen[$class->getName()] = true; + + $classes[] = $class; + } + + return $classes; + } + + private static function computeTraitDeps(\ReflectionClass $class) + { + $traits = $class->getTraits(); + $deps = array($class->getName() => $traits); + while ($trait = array_pop($traits)) { + if ($trait->isUserDefined() && !isset(self::$seen[$trait->getName()])) { + self::$seen[$trait->getName()] = true; + $traitDeps = $trait->getTraits(); + $deps[$trait->getName()] = $traitDeps; + $traits = array_merge($traits, $traitDeps); + } + } + + return $deps; + } + + /** + * Dependencies resolution. + * + * This function does not check for circular dependencies as it should never + * occur with PHP traits. + * + * @param array $tree The dependency tree + * @param \ReflectionClass $node The node + * @param \ArrayObject $resolved An array of already resolved dependencies + * @param \ArrayObject $unresolved An array of dependencies to be resolved + * + * @return \ArrayObject The dependencies for the given node + * + * @throws \RuntimeException if a circular dependency is detected + */ + private static function resolveDependencies(array $tree, $node, \ArrayObject $resolved = null, \ArrayObject $unresolved = null) + { + if (null === $resolved) { + $resolved = new \ArrayObject(); + } + if (null === $unresolved) { + $unresolved = new \ArrayObject(); + } + $nodeName = $node->getName(); + $unresolved[$nodeName] = $node; + foreach ($tree[$nodeName] as $dependency) { + if (!$resolved->offsetExists($dependency->getName())) { + self::resolveDependencies($tree, $dependency, $resolved, $unresolved); + } + } + $resolved[$nodeName] = $node; + unset($unresolved[$nodeName]); + + return $resolved; + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Symfony/Component/ClassLoader/ClassLoader.php b/apps/files_external/3rdparty/aws-sdk-php/Symfony/Component/ClassLoader/ClassLoader.php new file mode 100644 index 0000000000..1a359794ab --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Symfony/Component/ClassLoader/ClassLoader.php @@ -0,0 +1,199 @@ + + * + * For the full copyright and license information, please view the LICENSE + * file that was distributed with this source code. + */ + +namespace Symfony\Component\ClassLoader; + +/** + * ClassLoader implements an PSR-0 class loader + * + * See https://github.com/php-fig/fig-standards/blob/master/accepted/PSR-0.md + * + * $loader = new ClassLoader(); + * + * // register classes with namespaces + * $loader->addPrefix('Symfony\Component', __DIR__.'/component'); + * $loader->addPrefix('Symfony', __DIR__.'/framework'); + * + * // activate the autoloader + * $loader->register(); + * + * // to enable searching the include path (e.g. for PEAR packages) + * $loader->setUseIncludePath(true); + * + * In this example, if you try to use a class in the Symfony\Component + * namespace or one of its children (Symfony\Component\Console for instance), + * the autoloader will first look for the class under the component/ + * directory, and it will then fallback to the framework/ directory if not + * found before giving up. + * + * @author Fabien Potencier + * @author Jordi Boggiano + */ +class ClassLoader +{ + private $prefixes = array(); + private $fallbackDirs = array(); + private $useIncludePath = false; + + /** + * Returns prefixes. + * + * @return array + */ + public function getPrefixes() + { + return $this->prefixes; + } + + /** + * Returns fallback directories. + * + * @return array + */ + public function getFallbackDirs() + { + return $this->fallbackDirs; + } + + /** + * Adds prefixes. + * + * @param array $prefixes Prefixes to add + */ + public function addPrefixes(array $prefixes) + { + foreach ($prefixes as $prefix => $path) { + $this->addPrefix($prefix, $path); + } + } + + /** + * Registers a set of classes + * + * @param string $prefix The classes prefix + * @param array|string $paths The location(s) of the classes + */ + public function addPrefix($prefix, $paths) + { + if (!$prefix) { + foreach ((array) $paths as $path) { + $this->fallbackDirs[] = $path; + } + + return; + } + if (isset($this->prefixes[$prefix])) { + $this->prefixes[$prefix] = array_merge( + $this->prefixes[$prefix], + (array) $paths + ); + } else { + $this->prefixes[$prefix] = (array) $paths; + } + } + + /** + * Turns on searching the include for class files. + * + * @param Boolean $useIncludePath + */ + public function setUseIncludePath($useIncludePath) + { + $this->useIncludePath = $useIncludePath; + } + + /** + * Can be used to check if the autoloader uses the include path to check + * for classes. + * + * @return Boolean + */ + public function getUseIncludePath() + { + return $this->useIncludePath; + } + + /** + * Registers this instance as an autoloader. + * + * @param Boolean $prepend Whether to prepend the autoloader or not + */ + public function register($prepend = false) + { + spl_autoload_register(array($this, 'loadClass'), true, $prepend); + } + + /** + * Unregisters this instance as an autoloader. + */ + public function unregister() + { + spl_autoload_unregister(array($this, 'loadClass')); + } + + /** + * Loads the given class or interface. + * + * @param string $class The name of the class + * + * @return Boolean|null True, if loaded + */ + public function loadClass($class) + { + if ($file = $this->findFile($class)) { + require $file; + + return true; + } + } + + /** + * Finds the path to the file where the class is defined. + * + * @param string $class The name of the class + * + * @return string|null The path, if found + */ + public function findFile($class) + { + if (false !== $pos = strrpos($class, '\\')) { + // namespaced class name + $classPath = str_replace('\\', DIRECTORY_SEPARATOR, substr($class, 0, $pos)).DIRECTORY_SEPARATOR; + $className = substr($class, $pos + 1); + } else { + // PEAR-like class name + $classPath = null; + $className = $class; + } + + $classPath .= str_replace('_', DIRECTORY_SEPARATOR, $className).'.php'; + + foreach ($this->prefixes as $prefix => $dirs) { + if (0 === strpos($class, $prefix)) { + foreach ($dirs as $dir) { + if (file_exists($dir.DIRECTORY_SEPARATOR.$classPath)) { + return $dir.DIRECTORY_SEPARATOR.$classPath; + } + } + } + } + + foreach ($this->fallbackDirs as $dir) { + if (file_exists($dir.DIRECTORY_SEPARATOR.$classPath)) { + return $dir.DIRECTORY_SEPARATOR.$classPath; + } + } + + if ($this->useIncludePath && $file = stream_resolve_include_path($classPath)) { + return $file; + } + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Symfony/Component/ClassLoader/ClassMapGenerator.php b/apps/files_external/3rdparty/aws-sdk-php/Symfony/Component/ClassLoader/ClassMapGenerator.php new file mode 100644 index 0000000000..3b09305954 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Symfony/Component/ClassLoader/ClassMapGenerator.php @@ -0,0 +1,133 @@ + + * + * For the full copyright and license information, please view the LICENSE + * file that was distributed with this source code. + */ + +namespace Symfony\Component\ClassLoader; + +/** + * ClassMapGenerator + * + * @author Gyula Sallai + */ +class ClassMapGenerator +{ + /** + * Generate a class map file + * + * @param array|string $dirs Directories or a single path to search in + * @param string $file The name of the class map file + */ + public static function dump($dirs, $file) + { + $dirs = (array) $dirs; + $maps = array(); + + foreach ($dirs as $dir) { + $maps = array_merge($maps, static::createMap($dir)); + } + + file_put_contents($file, sprintf('isFile()) { + continue; + } + + $path = $file->getRealPath(); + + if (pathinfo($path, PATHINFO_EXTENSION) !== 'php') { + continue; + } + + $classes = self::findClasses($path); + + foreach ($classes as $class) { + $map[$class] = $path; + } + + } + + return $map; + } + + /** + * Extract the classes in the given file + * + * @param string $path The file to check + * + * @return array The found classes + */ + private static function findClasses($path) + { + $contents = file_get_contents($path); + $tokens = token_get_all($contents); + $T_TRAIT = version_compare(PHP_VERSION, '5.4', '<') ? -1 : T_TRAIT; + + $classes = array(); + + $namespace = ''; + for ($i = 0, $max = count($tokens); $i < $max; $i++) { + $token = $tokens[$i]; + + if (is_string($token)) { + continue; + } + + $class = ''; + + switch ($token[0]) { + case T_NAMESPACE: + $namespace = ''; + // If there is a namespace, extract it + while (($t = $tokens[++$i]) && is_array($t)) { + if (in_array($t[0], array(T_STRING, T_NS_SEPARATOR))) { + $namespace .= $t[1]; + } + } + $namespace .= '\\'; + break; + case T_CLASS: + case T_INTERFACE: + case $T_TRAIT: + // Find the classname + while (($t = $tokens[++$i]) && is_array($t)) { + if (T_STRING === $t[0]) { + $class .= $t[1]; + } elseif ($class !== '' && T_WHITESPACE == $t[0]) { + break; + } + } + + $classes[] = ltrim($namespace.$class, '\\'); + break; + default: + break; + } + } + + return $classes; + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Symfony/Component/ClassLoader/DebugClassLoader.php b/apps/files_external/3rdparty/aws-sdk-php/Symfony/Component/ClassLoader/DebugClassLoader.php new file mode 100644 index 0000000000..842f4744c0 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Symfony/Component/ClassLoader/DebugClassLoader.php @@ -0,0 +1,109 @@ + + * + * For the full copyright and license information, please view the LICENSE + * file that was distributed with this source code. + */ + +namespace Symfony\Component\ClassLoader; + +/** + * Autoloader checking if the class is really defined in the file found. + * + * The DebugClassLoader will wrap all registered autoloaders providing a + * findFile method and will throw an exception if a file is found but does + * not declare the class. + * + * @author Fabien Potencier + * @author Christophe Coevoet + * + * @api + */ +class DebugClassLoader +{ + private $classFinder; + + /** + * Constructor. + * + * @param object $classFinder + * + * @api + */ + public function __construct($classFinder) + { + $this->classFinder = $classFinder; + } + + /** + * Replaces all autoloaders implementing a findFile method by a DebugClassLoader wrapper. + */ + public static function enable() + { + if (!is_array($functions = spl_autoload_functions())) { + return; + } + + foreach ($functions as $function) { + spl_autoload_unregister($function); + } + + foreach ($functions as $function) { + if (is_array($function) && !$function[0] instanceof self && method_exists($function[0], 'findFile')) { + $function = array(new static($function[0]), 'loadClass'); + } + + spl_autoload_register($function); + } + } + + /** + * Unregisters this instance as an autoloader. + */ + public function unregister() + { + spl_autoload_unregister(array($this, 'loadClass')); + } + + /** + * Finds a file by class name + * + * @param string $class A class name to resolve to file + * + * @return string|null + */ + public function findFile($class) + { + return $this->classFinder->findFile($class); + } + + /** + * Loads the given class or interface. + * + * @param string $class The name of the class + * + * @return Boolean|null True, if loaded + * + * @throws \RuntimeException + */ + public function loadClass($class) + { + if ($file = $this->classFinder->findFile($class)) { + require $file; + + if (!class_exists($class, false) && !interface_exists($class, false) && (!function_exists('trait_exists') || !trait_exists($class, false))) { + if (false !== strpos($class, '/')) { + throw new \RuntimeException(sprintf('Trying to autoload a class with an invalid name "%s". Be careful that the namespace separator is "\" in PHP, not "/".', $class)); + } + + throw new \RuntimeException(sprintf('The autoloader expected class "%s" to be defined in file "%s". The file was found but the class was not in it, the class name or namespace probably has a typo.', $class, $file)); + } + + return true; + } + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Symfony/Component/ClassLoader/DebugUniversalClassLoader.php b/apps/files_external/3rdparty/aws-sdk-php/Symfony/Component/ClassLoader/DebugUniversalClassLoader.php new file mode 100644 index 0000000000..96c6290fc2 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Symfony/Component/ClassLoader/DebugUniversalClassLoader.php @@ -0,0 +1,63 @@ + + * + * For the full copyright and license information, please view the LICENSE + * file that was distributed with this source code. + */ + +namespace Symfony\Component\ClassLoader; + +/** + * Checks that the class is actually declared in the included file. + * + * @author Fabien Potencier + */ +class DebugUniversalClassLoader extends UniversalClassLoader +{ + /** + * Replaces all regular UniversalClassLoader instances by a DebugUniversalClassLoader ones. + */ + public static function enable() + { + if (!is_array($functions = spl_autoload_functions())) { + return; + } + + foreach ($functions as $function) { + spl_autoload_unregister($function); + } + + foreach ($functions as $function) { + if (is_array($function) && $function[0] instanceof UniversalClassLoader) { + $loader = new static(); + $loader->registerNamespaceFallbacks($function[0]->getNamespaceFallbacks()); + $loader->registerPrefixFallbacks($function[0]->getPrefixFallbacks()); + $loader->registerNamespaces($function[0]->getNamespaces()); + $loader->registerPrefixes($function[0]->getPrefixes()); + $loader->useIncludePath($function[0]->getUseIncludePath()); + + $function[0] = $loader; + } + + spl_autoload_register($function); + } + } + + /** + * {@inheritDoc} + */ + public function loadClass($class) + { + if ($file = $this->findFile($class)) { + require $file; + + if (!class_exists($class, false) && !interface_exists($class, false) && (!function_exists('trait_exists') || !trait_exists($class, false))) { + throw new \RuntimeException(sprintf('The autoloader expected class "%s" to be defined in file "%s". The file was found but the class was not in it, the class name or namespace probably has a typo.', $class, $file)); + } + } + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Symfony/Component/ClassLoader/MapClassLoader.php b/apps/files_external/3rdparty/aws-sdk-php/Symfony/Component/ClassLoader/MapClassLoader.php new file mode 100644 index 0000000000..82010a77ae --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Symfony/Component/ClassLoader/MapClassLoader.php @@ -0,0 +1,68 @@ + + * + * For the full copyright and license information, please view the LICENSE + * file that was distributed with this source code. + */ + +namespace Symfony\Component\ClassLoader; + +/** + * A class loader that uses a mapping file to look up paths. + * + * @author Fabien Potencier + */ +class MapClassLoader +{ + private $map = array(); + + /** + * Constructor. + * + * @param array $map A map where keys are classes and values the absolute file path + */ + public function __construct(array $map) + { + $this->map = $map; + } + + /** + * Registers this instance as an autoloader. + * + * @param Boolean $prepend Whether to prepend the autoloader or not + */ + public function register($prepend = false) + { + spl_autoload_register(array($this, 'loadClass'), true, $prepend); + } + + /** + * Loads the given class or interface. + * + * @param string $class The name of the class + */ + public function loadClass($class) + { + if (isset($this->map[$class])) { + require $this->map[$class]; + } + } + + /** + * Finds the path to the file where the class is defined. + * + * @param string $class The name of the class + * + * @return string|null The path, if found + */ + public function findFile($class) + { + if (isset($this->map[$class])) { + return $this->map[$class]; + } + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Symfony/Component/ClassLoader/Tests/ApcUniversalClassLoaderTest.php b/apps/files_external/3rdparty/aws-sdk-php/Symfony/Component/ClassLoader/Tests/ApcUniversalClassLoaderTest.php new file mode 100644 index 0000000000..9a7acfd716 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Symfony/Component/ClassLoader/Tests/ApcUniversalClassLoaderTest.php @@ -0,0 +1,192 @@ + + * + * For the full copyright and license information, please view the LICENSE + * file that was distributed with this source code. + */ + +namespace Symfony\Component\ClassLoader\Tests; + +use Symfony\Component\ClassLoader\ApcUniversalClassLoader; + +class ApcUniversalClassLoaderTest extends \PHPUnit_Framework_TestCase +{ + protected function setUp() + { + if (!extension_loaded('apc')) { + $this->markTestSkipped('The apc extension is not available.'); + } + + if (!(ini_get('apc.enabled') && ini_get('apc.enable_cli'))) { + $this->markTestSkipped('The apc extension is available, but not enabled.'); + } else { + apc_clear_cache('user'); + } + } + + protected function tearDown() + { + if (ini_get('apc.enabled') && ini_get('apc.enable_cli')) { + apc_clear_cache('user'); + } + } + + public function testConstructor() + { + $loader = new ApcUniversalClassLoader('test.prefix.'); + $loader->registerNamespace('Apc\Namespaced', __DIR__.DIRECTORY_SEPARATOR.'Fixtures'); + + $this->assertEquals($loader->findFile('\Apc\Namespaced\FooBar'), apc_fetch('test.prefix.\Apc\Namespaced\FooBar'), '__construct() takes a prefix as its first argument'); + } + + /** + * @dataProvider getLoadClassTests + */ + public function testLoadClass($className, $testClassName, $message) + { + $loader = new ApcUniversalClassLoader('test.prefix.'); + $loader->registerNamespace('Apc\Namespaced', __DIR__.DIRECTORY_SEPARATOR.'Fixtures'); + $loader->registerPrefix('Apc_Pearlike_', __DIR__.DIRECTORY_SEPARATOR.'Fixtures'); + $loader->loadClass($testClassName); + $this->assertTrue(class_exists($className), $message); + } + + public function getLoadClassTests() + { + return array( + array('\\Apc\\Namespaced\\Foo', '\\Apc\\Namespaced\\Foo', '->loadClass() loads Apc\Namespaced\Foo class'), + array('Apc_Pearlike_Foo', 'Apc_Pearlike_Foo', '->loadClass() loads Apc_Pearlike_Foo class'), + array('\\Apc\\Namespaced\\Bar', '\\Apc\\Namespaced\\Bar', '->loadClass() loads Apc\Namespaced\Bar class with a leading slash'), + array('Apc_Pearlike_Bar', '\\Apc_Pearlike_Bar', '->loadClass() loads Apc_Pearlike_Bar class with a leading slash'), + ); + } + + /** + * @dataProvider getLoadClassFromFallbackTests + */ + public function testLoadClassFromFallback($className, $testClassName, $message) + { + $loader = new ApcUniversalClassLoader('test.prefix.fallback'); + $loader->registerNamespace('Apc\Namespaced', __DIR__.DIRECTORY_SEPARATOR.'Fixtures'); + $loader->registerPrefix('Apc_Pearlike_', __DIR__.DIRECTORY_SEPARATOR.'Fixtures'); + $loader->registerNamespaceFallbacks(array(__DIR__.DIRECTORY_SEPARATOR.'Fixtures/Apc/fallback')); + $loader->registerPrefixFallbacks(array(__DIR__.DIRECTORY_SEPARATOR.'Fixtures/Apc/fallback')); + $loader->loadClass($testClassName); + $this->assertTrue(class_exists($className), $message); + } + + public function getLoadClassFromFallbackTests() + { + return array( + array('\\Apc\\Namespaced\\Baz', '\\Apc\\Namespaced\\Baz', '->loadClass() loads Apc\Namespaced\Baz class'), + array('Apc_Pearlike_Baz', 'Apc_Pearlike_Baz', '->loadClass() loads Apc_Pearlike_Baz class'), + array('\\Apc\\Namespaced\\FooBar', '\\Apc\\Namespaced\\FooBar', '->loadClass() loads Apc\Namespaced\Baz class from fallback dir'), + array('Apc_Pearlike_FooBar', 'Apc_Pearlike_FooBar', '->loadClass() loads Apc_Pearlike_Baz class from fallback dir'), + ); + } + + /** + * @dataProvider getLoadClassNamespaceCollisionTests + */ + public function testLoadClassNamespaceCollision($namespaces, $className, $message) + { + $loader = new ApcUniversalClassLoader('test.prefix.collision.'); + $loader->registerNamespaces($namespaces); + + $loader->loadClass($className); + + $this->assertTrue(class_exists($className), $message); + } + + public function getLoadClassNamespaceCollisionTests() + { + return array( + array( + array( + 'Apc\\NamespaceCollision\\A' => __DIR__.DIRECTORY_SEPARATOR.'Fixtures/Apc/alpha', + 'Apc\\NamespaceCollision\\A\\B' => __DIR__.DIRECTORY_SEPARATOR.'Fixtures/Apc/beta', + ), + '\Apc\NamespaceCollision\A\Foo', + '->loadClass() loads NamespaceCollision\A\Foo from alpha.', + ), + array( + array( + 'Apc\\NamespaceCollision\\A\\B' => __DIR__.DIRECTORY_SEPARATOR.'Fixtures/Apc/beta', + 'Apc\\NamespaceCollision\\A' => __DIR__.DIRECTORY_SEPARATOR.'Fixtures/Apc/alpha', + ), + '\Apc\NamespaceCollision\A\Bar', + '->loadClass() loads NamespaceCollision\A\Bar from alpha.', + ), + array( + array( + 'Apc\\NamespaceCollision\\A' => __DIR__.DIRECTORY_SEPARATOR.'Fixtures/Apc/alpha', + 'Apc\\NamespaceCollision\\A\\B' => __DIR__.DIRECTORY_SEPARATOR.'Fixtures/Apc/beta', + ), + '\Apc\NamespaceCollision\A\B\Foo', + '->loadClass() loads NamespaceCollision\A\B\Foo from beta.', + ), + array( + array( + 'Apc\\NamespaceCollision\\A\\B' => __DIR__.DIRECTORY_SEPARATOR.'Fixtures/Apc/beta', + 'Apc\\NamespaceCollision\\A' => __DIR__.DIRECTORY_SEPARATOR.'Fixtures/Apc/alpha', + ), + '\Apc\NamespaceCollision\A\B\Bar', + '->loadClass() loads NamespaceCollision\A\B\Bar from beta.', + ), + ); + } + + /** + * @dataProvider getLoadClassPrefixCollisionTests + */ + public function testLoadClassPrefixCollision($prefixes, $className, $message) + { + $loader = new ApcUniversalClassLoader('test.prefix.collision.'); + $loader->registerPrefixes($prefixes); + + $loader->loadClass($className); + $this->assertTrue(class_exists($className), $message); + } + + public function getLoadClassPrefixCollisionTests() + { + return array( + array( + array( + 'ApcPrefixCollision_A_' => __DIR__.DIRECTORY_SEPARATOR.'Fixtures/Apc/alpha/Apc', + 'ApcPrefixCollision_A_B_' => __DIR__.DIRECTORY_SEPARATOR.'Fixtures/Apc/beta/Apc', + ), + 'ApcPrefixCollision_A_Foo', + '->loadClass() loads ApcPrefixCollision_A_Foo from alpha.', + ), + array( + array( + 'ApcPrefixCollision_A_B_' => __DIR__.DIRECTORY_SEPARATOR.'Fixtures/Apc/beta/Apc', + 'ApcPrefixCollision_A_' => __DIR__.DIRECTORY_SEPARATOR.'Fixtures/Apc/alpha/Apc', + ), + 'ApcPrefixCollision_A_Bar', + '->loadClass() loads ApcPrefixCollision_A_Bar from alpha.', + ), + array( + array( + 'ApcPrefixCollision_A_' => __DIR__.DIRECTORY_SEPARATOR.'Fixtures/Apc/alpha/Apc', + 'ApcPrefixCollision_A_B_' => __DIR__.DIRECTORY_SEPARATOR.'Fixtures/Apc/beta/Apc', + ), + 'ApcPrefixCollision_A_B_Foo', + '->loadClass() loads ApcPrefixCollision_A_B_Foo from beta.', + ), + array( + array( + 'ApcPrefixCollision_A_B_' => __DIR__.DIRECTORY_SEPARATOR.'Fixtures/Apc/beta/Apc', + 'ApcPrefixCollision_A_' => __DIR__.DIRECTORY_SEPARATOR.'Fixtures/Apc/alpha/Apc', + ), + 'ApcPrefixCollision_A_B_Bar', + '->loadClass() loads ApcPrefixCollision_A_B_Bar from beta.', + ), + ); + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Symfony/Component/ClassLoader/Tests/ClassCollectionLoaderTest.php b/apps/files_external/3rdparty/aws-sdk-php/Symfony/Component/ClassLoader/Tests/ClassCollectionLoaderTest.php new file mode 100644 index 0000000000..dfa51e37fe --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Symfony/Component/ClassLoader/Tests/ClassCollectionLoaderTest.php @@ -0,0 +1,260 @@ + + * + * For the full copyright and license information, please view the LICENSE + * file that was distributed with this source code. + */ + +namespace Symfony\Component\ClassLoader\Tests; + +use Symfony\Component\ClassLoader\ClassCollectionLoader; + +require_once __DIR__.'/Fixtures/ClassesWithParents/GInterface.php'; +require_once __DIR__.'/Fixtures/ClassesWithParents/CInterface.php'; +require_once __DIR__.'/Fixtures/ClassesWithParents/B.php'; +require_once __DIR__.'/Fixtures/ClassesWithParents/A.php'; + +class ClassCollectionLoaderTest extends \PHPUnit_Framework_TestCase +{ + public function testTraitDependencies() + { + if (version_compare(phpversion(), '5.4', '<')) { + $this->markTestSkipped('Requires PHP > 5.4'); + + return; + } + + require_once __DIR__.'/Fixtures/deps/traits.php'; + + $r = new \ReflectionClass('Symfony\Component\ClassLoader\ClassCollectionLoader'); + $m = $r->getMethod('getOrderedClasses'); + $m->setAccessible(true); + + $ordered = $m->invoke('Symfony\Component\ClassLoader\ClassCollectionLoader', array('CTFoo')); + + $this->assertEquals( + array('TD', 'TC', 'TB', 'TA', 'TZ', 'CTFoo'), + array_map(function ($class) { return $class->getName(); }, $ordered) + ); + + $ordered = $m->invoke('Symfony\Component\ClassLoader\ClassCollectionLoader', array('CTBar')); + + $this->assertEquals( + array('TD', 'TZ', 'TC', 'TB', 'TA', 'CTBar'), + array_map(function ($class) { return $class->getName(); }, $ordered) + ); + } + + /** + * @dataProvider getDifferentOrders + */ + public function testClassReordering(array $classes) + { + $expected = array( + 'ClassesWithParents\\GInterface', + 'ClassesWithParents\\CInterface', + 'ClassesWithParents\\B', + 'ClassesWithParents\\A', + ); + + $r = new \ReflectionClass('Symfony\Component\ClassLoader\ClassCollectionLoader'); + $m = $r->getMethod('getOrderedClasses'); + $m->setAccessible(true); + + $ordered = $m->invoke('Symfony\Component\ClassLoader\ClassCollectionLoader', $classes); + + $this->assertEquals($expected, array_map(function ($class) { return $class->getName(); }, $ordered)); + } + + public function getDifferentOrders() + { + return array( + array(array( + 'ClassesWithParents\\A', + 'ClassesWithParents\\CInterface', + 'ClassesWithParents\\GInterface', + 'ClassesWithParents\\B', + )), + array(array( + 'ClassesWithParents\\B', + 'ClassesWithParents\\A', + 'ClassesWithParents\\CInterface', + )), + array(array( + 'ClassesWithParents\\CInterface', + 'ClassesWithParents\\B', + 'ClassesWithParents\\A', + )), + array(array( + 'ClassesWithParents\\A', + )), + ); + } + + /** + * @dataProvider getDifferentOrdersForTraits + */ + public function testClassWithTraitsReordering(array $classes) + { + if (version_compare(phpversion(), '5.4', '<')) { + $this->markTestSkipped('Requires PHP > 5.4'); + + return; + } + + require_once __DIR__.'/Fixtures/ClassesWithParents/ATrait.php'; + require_once __DIR__.'/Fixtures/ClassesWithParents/BTrait.php'; + require_once __DIR__.'/Fixtures/ClassesWithParents/CTrait.php'; + require_once __DIR__.'/Fixtures/ClassesWithParents/D.php'; + require_once __DIR__.'/Fixtures/ClassesWithParents/E.php'; + + $expected = array( + 'ClassesWithParents\\GInterface', + 'ClassesWithParents\\CInterface', + 'ClassesWithParents\\ATrait', + 'ClassesWithParents\\BTrait', + 'ClassesWithParents\\CTrait', + 'ClassesWithParents\\B', + 'ClassesWithParents\\A', + 'ClassesWithParents\\D', + 'ClassesWithParents\\E', + ); + + $r = new \ReflectionClass('Symfony\Component\ClassLoader\ClassCollectionLoader'); + $m = $r->getMethod('getOrderedClasses'); + $m->setAccessible(true); + + $ordered = $m->invoke('Symfony\Component\ClassLoader\ClassCollectionLoader', $classes); + + $this->assertEquals($expected, array_map(function ($class) { return $class->getName(); }, $ordered)); + } + + public function getDifferentOrdersForTraits() + { + return array( + array(array( + 'ClassesWithParents\\E', + 'ClassesWithParents\\ATrait', + )), + array(array( + 'ClassesWithParents\\E', + )), + ); + } + + /** + * @dataProvider getFixNamespaceDeclarationsData + */ + public function testFixNamespaceDeclarations($source, $expected) + { + $this->assertEquals('assertEquals('assertEquals(<< + * + * For the full copyright and license information, please view the LICENSE + * file that was distributed with this source code. + */ + +namespace Symfony\Component\ClassLoader\Tests; + +use Symfony\Component\ClassLoader\ClassLoader; + +class ClassLoaderTest extends \PHPUnit_Framework_TestCase +{ + public function testGetPrefixes() + { + $loader = new ClassLoader(); + $loader->addPrefix('Foo', __DIR__.DIRECTORY_SEPARATOR.'Fixtures'); + $loader->addPrefix('Bar', __DIR__.DIRECTORY_SEPARATOR.'Fixtures'); + $loader->addPrefix('Bas', __DIR__.DIRECTORY_SEPARATOR.'Fixtures'); + $prefixes = $loader->getPrefixes(); + $this->assertArrayHasKey('Foo', $prefixes); + $this->assertArrayNotHasKey('Foo1', $prefixes); + $this->assertArrayHasKey('Bar', $prefixes); + $this->assertArrayHasKey('Bas', $prefixes); + } + + public function testGetFallbackDirs() + { + $loader = new ClassLoader(); + $loader->addPrefix(null, __DIR__.DIRECTORY_SEPARATOR.'Fixtures'); + $loader->addPrefix(null, __DIR__.DIRECTORY_SEPARATOR.'Fixtures'); + $fallback_dirs = $loader->getFallbackDirs(); + $this->assertCount(2, $fallback_dirs); + } + + /** + * @dataProvider getLoadClassTests + */ + public function testLoadClass($className, $testClassName, $message) + { + $loader = new ClassLoader(); + $loader->addPrefix('Namespaced2\\', __DIR__.DIRECTORY_SEPARATOR.'Fixtures'); + $loader->addPrefix('Pearlike2_', __DIR__.DIRECTORY_SEPARATOR.'Fixtures'); + $loader->loadClass($testClassName); + $this->assertTrue(class_exists($className), $message); + } + + public function getLoadClassTests() + { + return array( + array('\\Namespaced2\\Foo', 'Namespaced2\\Foo', '->loadClass() loads Namespaced2\Foo class'), + array('\\Pearlike2_Foo', 'Pearlike2_Foo', '->loadClass() loads Pearlike2_Foo class'), + ); + } + + /** + * @dataProvider getLoadNonexistentClassTests + */ + public function testLoadNonexistentClass($className, $testClassName, $message) + { + $loader = new ClassLoader(); + $loader->addPrefix('Namespaced2\\', __DIR__.DIRECTORY_SEPARATOR.'Fixtures'); + $loader->addPrefix('Pearlike2_', __DIR__.DIRECTORY_SEPARATOR.'Fixtures'); + $loader->loadClass($testClassName); + $this->assertFalse(class_exists($className), $message); + } + + public function getLoadNonexistentClassTests() + { + return array( + array('\\Pearlike3_Bar', '\\Pearlike3_Bar', '->loadClass() loads non exising Pearlike3_Bar class with a leading slash'), + ); + } + + public function testAddPrefix() + { + $loader = new ClassLoader(); + $loader->addPrefix('Foo', __DIR__.DIRECTORY_SEPARATOR.'Fixtures'); + $loader->addPrefix('Foo', __DIR__.DIRECTORY_SEPARATOR.'Fixtures'); + $prefixes = $loader->getPrefixes(); + $this->assertArrayHasKey('Foo', $prefixes); + $this->assertCount(2, $prefixes['Foo']); + } + + public function testUseIncludePath() + { + $loader = new ClassLoader(); + $this->assertFalse($loader->getUseIncludePath()); + + $this->assertNull($loader->findFile('Foo')); + + $includePath = get_include_path(); + + $loader->setUseIncludePath(true); + $this->assertTrue($loader->getUseIncludePath()); + + set_include_path(__DIR__.'/Fixtures/includepath'.PATH_SEPARATOR.$includePath); + + $this->assertEquals(__DIR__.DIRECTORY_SEPARATOR.'Fixtures'.DIRECTORY_SEPARATOR.'includepath'.DIRECTORY_SEPARATOR.'Foo.php', $loader->findFile('Foo')); + + set_include_path($includePath); + } + + /** + * @dataProvider getLoadClassFromFallbackTests + */ + public function testLoadClassFromFallback($className, $testClassName, $message) + { + $loader = new ClassLoader(); + $loader->addPrefix('Namespaced2\\', __DIR__.DIRECTORY_SEPARATOR.'Fixtures'); + $loader->addPrefix('Pearlike2_', __DIR__.DIRECTORY_SEPARATOR.'Fixtures'); + $loader->addPrefix('', array(__DIR__.DIRECTORY_SEPARATOR.'Fixtures/fallback')); + $loader->loadClass($testClassName); + $this->assertTrue(class_exists($className), $message); + } + + public function getLoadClassFromFallbackTests() + { + return array( + array('\\Namespaced2\\Baz', 'Namespaced2\\Baz', '->loadClass() loads Namespaced2\Baz class'), + array('\\Pearlike2_Baz', 'Pearlike2_Baz', '->loadClass() loads Pearlike2_Baz class'), + array('\\Namespaced2\\FooBar', 'Namespaced2\\FooBar', '->loadClass() loads Namespaced2\Baz class from fallback dir'), + array('\\Pearlike2_FooBar', 'Pearlike2_FooBar', '->loadClass() loads Pearlike2_Baz class from fallback dir'), + ); + } + + /** + * @dataProvider getLoadClassNamespaceCollisionTests + */ + public function testLoadClassNamespaceCollision($namespaces, $className, $message) + { + $loader = new ClassLoader(); + $loader->addPrefixes($namespaces); + + $loader->loadClass($className); + $this->assertTrue(class_exists($className), $message); + } + + public function getLoadClassNamespaceCollisionTests() + { + return array( + array( + array( + 'NamespaceCollision\\C' => __DIR__.DIRECTORY_SEPARATOR.'Fixtures/alpha', + 'NamespaceCollision\\C\\B' => __DIR__.DIRECTORY_SEPARATOR.'Fixtures/beta', + ), + 'NamespaceCollision\C\Foo', + '->loadClass() loads NamespaceCollision\C\Foo from alpha.', + ), + array( + array( + 'NamespaceCollision\\C\\B' => __DIR__.DIRECTORY_SEPARATOR.'Fixtures/beta', + 'NamespaceCollision\\C' => __DIR__.DIRECTORY_SEPARATOR.'Fixtures/alpha', + ), + 'NamespaceCollision\C\Bar', + '->loadClass() loads NamespaceCollision\C\Bar from alpha.', + ), + array( + array( + 'NamespaceCollision\\C' => __DIR__.DIRECTORY_SEPARATOR.'Fixtures/alpha', + 'NamespaceCollision\\C\\B' => __DIR__.DIRECTORY_SEPARATOR.'Fixtures/beta', + ), + 'NamespaceCollision\C\B\Foo', + '->loadClass() loads NamespaceCollision\C\B\Foo from beta.', + ), + array( + array( + 'NamespaceCollision\\C\\B' => __DIR__.DIRECTORY_SEPARATOR.'Fixtures/beta', + 'NamespaceCollision\\C' => __DIR__.DIRECTORY_SEPARATOR.'Fixtures/alpha', + ), + 'NamespaceCollision\C\B\Bar', + '->loadClass() loads NamespaceCollision\C\B\Bar from beta.', + ), + array( + array( + 'PrefixCollision_C_' => __DIR__.DIRECTORY_SEPARATOR.'Fixtures/alpha', + 'PrefixCollision_C_B_' => __DIR__.DIRECTORY_SEPARATOR.'Fixtures/beta', + ), + 'PrefixCollision_C_Foo', + '->loadClass() loads PrefixCollision_C_Foo from alpha.', + ), + array( + array( + 'PrefixCollision_C_B_' => __DIR__.DIRECTORY_SEPARATOR.'Fixtures/beta', + 'PrefixCollision_C_' => __DIR__.DIRECTORY_SEPARATOR.'Fixtures/alpha', + ), + 'PrefixCollision_C_Bar', + '->loadClass() loads PrefixCollision_C_Bar from alpha.', + ), + array( + array( + 'PrefixCollision_C_' => __DIR__.DIRECTORY_SEPARATOR.'Fixtures/alpha', + 'PrefixCollision_C_B_' => __DIR__.DIRECTORY_SEPARATOR.'Fixtures/beta', + ), + 'PrefixCollision_C_B_Foo', + '->loadClass() loads PrefixCollision_C_B_Foo from beta.', + ), + array( + array( + 'PrefixCollision_C_B_' => __DIR__.DIRECTORY_SEPARATOR.'Fixtures/beta', + 'PrefixCollision_C_' => __DIR__.DIRECTORY_SEPARATOR.'Fixtures/alpha', + ), + 'PrefixCollision_C_B_Bar', + '->loadClass() loads PrefixCollision_C_B_Bar from beta.', + ), + ); + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Symfony/Component/ClassLoader/Tests/ClassMapGeneratorTest.php b/apps/files_external/3rdparty/aws-sdk-php/Symfony/Component/ClassLoader/Tests/ClassMapGeneratorTest.php new file mode 100644 index 0000000000..18f64f7588 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Symfony/Component/ClassLoader/Tests/ClassMapGeneratorTest.php @@ -0,0 +1,148 @@ + + * + * For the full copyright and license information, please view the LICENSE + * file that was distributed with this source code. + */ + +namespace Symfony\Component\ClassLoader\Tests; + +use Symfony\Component\ClassLoader\ClassMapGenerator; + +class ClassMapGeneratorTest extends \PHPUnit_Framework_TestCase +{ + /** + * @var string $workspace + */ + private $workspace = null; + + public function prepare_workspace() + { + $this->workspace = rtrim(sys_get_temp_dir(), DIRECTORY_SEPARATOR).DIRECTORY_SEPARATOR.time().rand(0, 1000); + mkdir($this->workspace, 0777, true); + $this->workspace = realpath($this->workspace); + } + + /** + * @param string $file + */ + private function clean($file) + { + if (is_dir($file) && !is_link($file)) { + $dir = new \FilesystemIterator($file); + foreach ($dir as $childFile) { + $this->clean($childFile); + } + + rmdir($file); + } else { + unlink($file); + } + } + + /** + * @dataProvider getTestCreateMapTests + */ + public function testDump($directory, $expected) + { + $this->prepare_workspace(); + + $file = $this->workspace.'/file'; + + $generator = new ClassMapGenerator(); + $generator->dump($directory, $file); + $this->assertFileExists($file); + + $this->clean($this->workspace); + } + + /** + * @dataProvider getTestCreateMapTests + */ + public function testCreateMap($directory, $expected) + { + $this->assertEqualsNormalized($expected, ClassMapGenerator::createMap($directory)); + } + + public function getTestCreateMapTests() + { + $data = array( + array(__DIR__.'/Fixtures/Namespaced', array( + 'Namespaced\\Bar' => realpath(__DIR__).'/Fixtures/Namespaced/Bar.php', + 'Namespaced\\Foo' => realpath(__DIR__).'/Fixtures/Namespaced/Foo.php', + 'Namespaced\\Baz' => realpath(__DIR__).'/Fixtures/Namespaced/Baz.php', + 'Namespaced\\WithComments' => realpath(__DIR__).'/Fixtures/Namespaced/WithComments.php', + ) + ), + array(__DIR__.'/Fixtures/beta/NamespaceCollision', array( + 'NamespaceCollision\\A\\B\\Bar' => realpath(__DIR__).'/Fixtures/beta/NamespaceCollision/A/B/Bar.php', + 'NamespaceCollision\\A\\B\\Foo' => realpath(__DIR__).'/Fixtures/beta/NamespaceCollision/A/B/Foo.php', + 'NamespaceCollision\\C\\B\\Bar' => realpath(__DIR__).'/Fixtures/beta/NamespaceCollision/C/B/Bar.php', + 'NamespaceCollision\\C\\B\\Foo' => realpath(__DIR__).'/Fixtures/beta/NamespaceCollision/C/B/Foo.php', + )), + array(__DIR__.'/Fixtures/Pearlike', array( + 'Pearlike_Foo' => realpath(__DIR__).'/Fixtures/Pearlike/Foo.php', + 'Pearlike_Bar' => realpath(__DIR__).'/Fixtures/Pearlike/Bar.php', + 'Pearlike_Baz' => realpath(__DIR__).'/Fixtures/Pearlike/Baz.php', + 'Pearlike_WithComments' => realpath(__DIR__).'/Fixtures/Pearlike/WithComments.php', + )), + array(__DIR__.'/Fixtures/classmap', array( + 'Foo\\Bar\\A' => realpath(__DIR__).'/Fixtures/classmap/sameNsMultipleClasses.php', + 'Foo\\Bar\\B' => realpath(__DIR__).'/Fixtures/classmap/sameNsMultipleClasses.php', + 'A' => realpath(__DIR__).'/Fixtures/classmap/multipleNs.php', + 'Alpha\\A' => realpath(__DIR__).'/Fixtures/classmap/multipleNs.php', + 'Alpha\\B' => realpath(__DIR__).'/Fixtures/classmap/multipleNs.php', + 'Beta\\A' => realpath(__DIR__).'/Fixtures/classmap/multipleNs.php', + 'Beta\\B' => realpath(__DIR__).'/Fixtures/classmap/multipleNs.php', + 'ClassMap\\SomeInterface' => realpath(__DIR__).'/Fixtures/classmap/SomeInterface.php', + 'ClassMap\\SomeParent' => realpath(__DIR__).'/Fixtures/classmap/SomeParent.php', + 'ClassMap\\SomeClass' => realpath(__DIR__).'/Fixtures/classmap/SomeClass.php', + )), + ); + + if (version_compare(PHP_VERSION, '5.4', '>=')) { + $data[] = array(__DIR__.'/Fixtures/php5.4', array( + 'TFoo' => __DIR__.'/Fixtures/php5.4/traits.php', + 'CFoo' => __DIR__.'/Fixtures/php5.4/traits.php', + 'Foo\\TBar' => __DIR__.'/Fixtures/php5.4/traits.php', + 'Foo\\IBar' => __DIR__.'/Fixtures/php5.4/traits.php', + 'Foo\\TFooBar' => __DIR__.'/Fixtures/php5.4/traits.php', + 'Foo\\CBar' => __DIR__.'/Fixtures/php5.4/traits.php', + )); + } + + return $data; + } + + public function testCreateMapFinderSupport() + { + if (!class_exists('Symfony\\Component\\Finder\\Finder')) { + $this->markTestSkipped('Finder component is not available'); + } + + $finder = new \Symfony\Component\Finder\Finder(); + $finder->files()->in(__DIR__.'/Fixtures/beta/NamespaceCollision'); + + $this->assertEqualsNormalized(array( + 'NamespaceCollision\\A\\B\\Bar' => realpath(__DIR__).'/Fixtures/beta/NamespaceCollision/A/B/Bar.php', + 'NamespaceCollision\\A\\B\\Foo' => realpath(__DIR__).'/Fixtures/beta/NamespaceCollision/A/B/Foo.php', + 'NamespaceCollision\\C\\B\\Bar' => realpath(__DIR__).'/Fixtures/beta/NamespaceCollision/C/B/Bar.php', + 'NamespaceCollision\\C\\B\\Foo' => realpath(__DIR__).'/Fixtures/beta/NamespaceCollision/C/B/Foo.php', + ), ClassMapGenerator::createMap($finder)); + } + + protected function assertEqualsNormalized($expected, $actual, $message = null) + { + foreach ($expected as $ns => $path) { + $expected[$ns] = strtr($path, '\\', '/'); + } + foreach ($actual as $ns => $path) { + $actual[$ns] = strtr($path, '\\', '/'); + } + $this->assertEquals($expected, $actual, $message); + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Symfony/Component/ClassLoader/Tests/DebugClassLoaderTest.php b/apps/files_external/3rdparty/aws-sdk-php/Symfony/Component/ClassLoader/Tests/DebugClassLoaderTest.php new file mode 100644 index 0000000000..873515c336 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Symfony/Component/ClassLoader/Tests/DebugClassLoaderTest.php @@ -0,0 +1,52 @@ + + * + * For the full copyright and license information, please view the LICENSE + * file that was distributed with this source code. + */ + +namespace Symfony\Component\ClassLoader\Tests; + +use Symfony\Component\ClassLoader\ClassLoader; +use Symfony\Component\ClassLoader\DebugClassLoader; + +class DebugClassLoaderTest extends \PHPUnit_Framework_TestCase +{ + private $loader; + + protected function setUp() + { + $this->loader = new ClassLoader(); + spl_autoload_register(array($this->loader, 'loadClass')); + } + + protected function tearDown() + { + spl_autoload_unregister(array($this->loader, 'loadClass')); + } + + public function testIdempotence() + { + DebugClassLoader::enable(); + DebugClassLoader::enable(); + + $functions = spl_autoload_functions(); + foreach ($functions as $function) { + if (is_array($function) && $function[0] instanceof DebugClassLoader) { + $reflClass = new \ReflectionClass($function[0]); + $reflProp = $reflClass->getProperty('classFinder'); + $reflProp->setAccessible(true); + + $this->assertNotInstanceOf('Symfony\Component\ClassLoader\DebugClassLoader', $reflProp->getValue($function[0])); + + return; + } + } + + throw new \Exception('DebugClassLoader did not register'); + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Symfony/Component/ClassLoader/Tests/Fixtures/Apc/Namespaced/Bar.php b/apps/files_external/3rdparty/aws-sdk-php/Symfony/Component/ClassLoader/Tests/Fixtures/Apc/Namespaced/Bar.php new file mode 100644 index 0000000000..4259f1451e --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Symfony/Component/ClassLoader/Tests/Fixtures/Apc/Namespaced/Bar.php @@ -0,0 +1,17 @@ + + * + * For the full copyright and license information, please view the LICENSE + * file that was distributed with this source code. + */ + +namespace Apc\Namespaced; + +class Bar +{ + public static $loaded = true; +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Symfony/Component/ClassLoader/Tests/Fixtures/Apc/Namespaced/Baz.php b/apps/files_external/3rdparty/aws-sdk-php/Symfony/Component/ClassLoader/Tests/Fixtures/Apc/Namespaced/Baz.php new file mode 100644 index 0000000000..3ddb595e25 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Symfony/Component/ClassLoader/Tests/Fixtures/Apc/Namespaced/Baz.php @@ -0,0 +1,17 @@ + + * + * For the full copyright and license information, please view the LICENSE + * file that was distributed with this source code. + */ + +namespace Apc\Namespaced; + +class Baz +{ + public static $loaded = true; +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Symfony/Component/ClassLoader/Tests/Fixtures/Apc/Namespaced/Foo.php b/apps/files_external/3rdparty/aws-sdk-php/Symfony/Component/ClassLoader/Tests/Fixtures/Apc/Namespaced/Foo.php new file mode 100644 index 0000000000..cf0a4b741f --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Symfony/Component/ClassLoader/Tests/Fixtures/Apc/Namespaced/Foo.php @@ -0,0 +1,17 @@ + + * + * For the full copyright and license information, please view the LICENSE + * file that was distributed with this source code. + */ + +namespace Apc\Namespaced; + +class Foo +{ + public static $loaded = true; +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Symfony/Component/ClassLoader/Tests/Fixtures/Apc/Namespaced/FooBar.php b/apps/files_external/3rdparty/aws-sdk-php/Symfony/Component/ClassLoader/Tests/Fixtures/Apc/Namespaced/FooBar.php new file mode 100644 index 0000000000..bbbc81515a --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Symfony/Component/ClassLoader/Tests/Fixtures/Apc/Namespaced/FooBar.php @@ -0,0 +1,17 @@ + + * + * For the full copyright and license information, please view the LICENSE + * file that was distributed with this source code. + */ + +namespace Apc\Namespaced; + +class FooBar +{ + public static $loaded = true; +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Symfony/Component/ClassLoader/Tests/Fixtures/Apc/Pearlike/Bar.php b/apps/files_external/3rdparty/aws-sdk-php/Symfony/Component/ClassLoader/Tests/Fixtures/Apc/Pearlike/Bar.php new file mode 100644 index 0000000000..e774cb9bfb --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Symfony/Component/ClassLoader/Tests/Fixtures/Apc/Pearlike/Bar.php @@ -0,0 +1,6 @@ + + * + * For the full copyright and license information, please view the LICENSE + * file that was distributed with this source code. + */ + +namespace Apc\NamespaceCollision\A; + +class Bar +{ + public static $loaded = true; +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Symfony/Component/ClassLoader/Tests/Fixtures/Apc/alpha/Apc/NamespaceCollision/A/Foo.php b/apps/files_external/3rdparty/aws-sdk-php/Symfony/Component/ClassLoader/Tests/Fixtures/Apc/alpha/Apc/NamespaceCollision/A/Foo.php new file mode 100644 index 0000000000..184a1b1daf --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Symfony/Component/ClassLoader/Tests/Fixtures/Apc/alpha/Apc/NamespaceCollision/A/Foo.php @@ -0,0 +1,17 @@ + + * + * For the full copyright and license information, please view the LICENSE + * file that was distributed with this source code. + */ + +namespace Apc\NamespaceCollision\A; + +class Foo +{ + public static $loaded = true; +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Symfony/Component/ClassLoader/Tests/Fixtures/Apc/beta/Apc/ApcPrefixCollision/A/B/Bar.php b/apps/files_external/3rdparty/aws-sdk-php/Symfony/Component/ClassLoader/Tests/Fixtures/Apc/beta/Apc/ApcPrefixCollision/A/B/Bar.php new file mode 100644 index 0000000000..3892f70683 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Symfony/Component/ClassLoader/Tests/Fixtures/Apc/beta/Apc/ApcPrefixCollision/A/B/Bar.php @@ -0,0 +1,6 @@ + + * + * For the full copyright and license information, please view the LICENSE + * file that was distributed with this source code. + */ + +namespace Apc\NamespaceCollision\A\B; + +class Bar +{ + public static $loaded = true; +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Symfony/Component/ClassLoader/Tests/Fixtures/Apc/beta/Apc/NamespaceCollision/A/B/Foo.php b/apps/files_external/3rdparty/aws-sdk-php/Symfony/Component/ClassLoader/Tests/Fixtures/Apc/beta/Apc/NamespaceCollision/A/B/Foo.php new file mode 100644 index 0000000000..450eeb50b9 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Symfony/Component/ClassLoader/Tests/Fixtures/Apc/beta/Apc/NamespaceCollision/A/B/Foo.php @@ -0,0 +1,17 @@ + + * + * For the full copyright and license information, please view the LICENSE + * file that was distributed with this source code. + */ + +namespace Apc\NamespaceCollision\A\B; + +class Foo +{ + public static $loaded = true; +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Symfony/Component/ClassLoader/Tests/Fixtures/Apc/fallback/Apc/Pearlike/FooBar.php b/apps/files_external/3rdparty/aws-sdk-php/Symfony/Component/ClassLoader/Tests/Fixtures/Apc/fallback/Apc/Pearlike/FooBar.php new file mode 100644 index 0000000000..96f2f76c6f --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Symfony/Component/ClassLoader/Tests/Fixtures/Apc/fallback/Apc/Pearlike/FooBar.php @@ -0,0 +1,6 @@ + + * + * For the full copyright and license information, please view the LICENSE + * file that was distributed with this source code. + */ + +namespace Apc\Namespaced; + +class FooBar +{ + public static $loaded = true; +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Symfony/Component/ClassLoader/Tests/Fixtures/ClassesWithParents/A.php b/apps/files_external/3rdparty/aws-sdk-php/Symfony/Component/ClassLoader/Tests/Fixtures/ClassesWithParents/A.php new file mode 100644 index 0000000000..dff891dcb7 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Symfony/Component/ClassLoader/Tests/Fixtures/ClassesWithParents/A.php @@ -0,0 +1,5 @@ + + * + * For the full copyright and license information, please view the LICENSE + * file that was distributed with this source code. + */ + +namespace Namespaced; + +class Bar +{ + public static $loaded = true; +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Symfony/Component/ClassLoader/Tests/Fixtures/Namespaced/Baz.php b/apps/files_external/3rdparty/aws-sdk-php/Symfony/Component/ClassLoader/Tests/Fixtures/Namespaced/Baz.php new file mode 100644 index 0000000000..0b0bbd057c --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Symfony/Component/ClassLoader/Tests/Fixtures/Namespaced/Baz.php @@ -0,0 +1,17 @@ + + * + * For the full copyright and license information, please view the LICENSE + * file that was distributed with this source code. + */ + +namespace Namespaced; + +class Baz +{ + public static $loaded = true; +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Symfony/Component/ClassLoader/Tests/Fixtures/Namespaced/Foo.php b/apps/files_external/3rdparty/aws-sdk-php/Symfony/Component/ClassLoader/Tests/Fixtures/Namespaced/Foo.php new file mode 100644 index 0000000000..df5e1f4ce2 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Symfony/Component/ClassLoader/Tests/Fixtures/Namespaced/Foo.php @@ -0,0 +1,17 @@ + + * + * For the full copyright and license information, please view the LICENSE + * file that was distributed with this source code. + */ + +namespace Namespaced; + +class Foo +{ + public static $loaded = true; +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Symfony/Component/ClassLoader/Tests/Fixtures/Namespaced/WithComments.php b/apps/files_external/3rdparty/aws-sdk-php/Symfony/Component/ClassLoader/Tests/Fixtures/Namespaced/WithComments.php new file mode 100644 index 0000000000..53d520031e --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Symfony/Component/ClassLoader/Tests/Fixtures/Namespaced/WithComments.php @@ -0,0 +1,37 @@ + + * + * For the full copyright and license information, please view the LICENSE + * file that was distributed with this source code. + */ + +namespace Namespaced; + +class WithComments +{ + /** @Boolean */ + public static $loaded = true; +} + +$string = 'string shoult not be modified {$string}'; + +$heredoc = (<< + * + * For the full copyright and license information, please view the LICENSE + * file that was distributed with this source code. + */ + +class Pearlike_WithComments +{ + /** @Boolean */ + public static $loaded = true; +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Symfony/Component/ClassLoader/Tests/Fixtures/Pearlike2/Bar.php b/apps/files_external/3rdparty/aws-sdk-php/Symfony/Component/ClassLoader/Tests/Fixtures/Pearlike2/Bar.php new file mode 100644 index 0000000000..7f5f797730 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Symfony/Component/ClassLoader/Tests/Fixtures/Pearlike2/Bar.php @@ -0,0 +1,6 @@ + + * + * For the full copyright and license information, please view the LICENSE + * file that was distributed with this source code. + */ + +namespace NamespaceCollision\A; + +class Bar +{ + public static $loaded = true; +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Symfony/Component/ClassLoader/Tests/Fixtures/alpha/NamespaceCollision/A/Foo.php b/apps/files_external/3rdparty/aws-sdk-php/Symfony/Component/ClassLoader/Tests/Fixtures/alpha/NamespaceCollision/A/Foo.php new file mode 100644 index 0000000000..aee6a080df --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Symfony/Component/ClassLoader/Tests/Fixtures/alpha/NamespaceCollision/A/Foo.php @@ -0,0 +1,17 @@ + + * + * For the full copyright and license information, please view the LICENSE + * file that was distributed with this source code. + */ + +namespace NamespaceCollision\A; + +class Foo +{ + public static $loaded = true; +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Symfony/Component/ClassLoader/Tests/Fixtures/alpha/NamespaceCollision/C/Bar.php b/apps/files_external/3rdparty/aws-sdk-php/Symfony/Component/ClassLoader/Tests/Fixtures/alpha/NamespaceCollision/C/Bar.php new file mode 100644 index 0000000000..c1b8dd65dd --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Symfony/Component/ClassLoader/Tests/Fixtures/alpha/NamespaceCollision/C/Bar.php @@ -0,0 +1,8 @@ + + * + * For the full copyright and license information, please view the LICENSE + * file that was distributed with this source code. + */ + +namespace NamespaceCollision\A\B; + +class Bar +{ + public static $loaded = true; +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Symfony/Component/ClassLoader/Tests/Fixtures/beta/NamespaceCollision/A/B/Foo.php b/apps/files_external/3rdparty/aws-sdk-php/Symfony/Component/ClassLoader/Tests/Fixtures/beta/NamespaceCollision/A/B/Foo.php new file mode 100644 index 0000000000..f5f2d727ef --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Symfony/Component/ClassLoader/Tests/Fixtures/beta/NamespaceCollision/A/B/Foo.php @@ -0,0 +1,17 @@ + + * + * For the full copyright and license information, please view the LICENSE + * file that was distributed with this source code. + */ + +namespace NamespaceCollision\A\B; + +class Foo +{ + public static $loaded = true; +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Symfony/Component/ClassLoader/Tests/Fixtures/beta/NamespaceCollision/C/B/Bar.php b/apps/files_external/3rdparty/aws-sdk-php/Symfony/Component/ClassLoader/Tests/Fixtures/beta/NamespaceCollision/C/B/Bar.php new file mode 100644 index 0000000000..4bb03dc7fd --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Symfony/Component/ClassLoader/Tests/Fixtures/beta/NamespaceCollision/C/B/Bar.php @@ -0,0 +1,8 @@ + + * + * For the full copyright and license information, please view the LICENSE + * file that was distributed with this source code. + */ + +namespace ClassMap; + +class SomeClass extends SomeParent implements SomeInterface +{ + +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Symfony/Component/ClassLoader/Tests/Fixtures/classmap/SomeInterface.php b/apps/files_external/3rdparty/aws-sdk-php/Symfony/Component/ClassLoader/Tests/Fixtures/classmap/SomeInterface.php new file mode 100644 index 0000000000..09d7a8f35a --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Symfony/Component/ClassLoader/Tests/Fixtures/classmap/SomeInterface.php @@ -0,0 +1,17 @@ + + * + * For the full copyright and license information, please view the LICENSE + * file that was distributed with this source code. + */ + +namespace ClassMap; + +interface SomeInterface +{ + +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Symfony/Component/ClassLoader/Tests/Fixtures/classmap/SomeParent.php b/apps/files_external/3rdparty/aws-sdk-php/Symfony/Component/ClassLoader/Tests/Fixtures/classmap/SomeParent.php new file mode 100644 index 0000000000..5a859a9460 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Symfony/Component/ClassLoader/Tests/Fixtures/classmap/SomeParent.php @@ -0,0 +1,17 @@ + + * + * For the full copyright and license information, please view the LICENSE + * file that was distributed with this source code. + */ + +namespace ClassMap; + +abstract class SomeParent +{ + +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Symfony/Component/ClassLoader/Tests/Fixtures/classmap/multipleNs.php b/apps/files_external/3rdparty/aws-sdk-php/Symfony/Component/ClassLoader/Tests/Fixtures/classmap/multipleNs.php new file mode 100644 index 0000000000..d19e07fc11 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Symfony/Component/ClassLoader/Tests/Fixtures/classmap/multipleNs.php @@ -0,0 +1,14 @@ + + * + * For the full copyright and license information, please view the LICENSE + * file that was distributed with this source code. + */ + +namespace Foo\Bar; + +class A {} +class B {} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Symfony/Component/ClassLoader/Tests/Fixtures/deps/traits.php b/apps/files_external/3rdparty/aws-sdk-php/Symfony/Component/ClassLoader/Tests/Fixtures/deps/traits.php new file mode 100644 index 0000000000..a5537ac92f --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Symfony/Component/ClassLoader/Tests/Fixtures/deps/traits.php @@ -0,0 +1,36 @@ + + * + * For the full copyright and license information, please view the LICENSE + * file that was distributed with this source code. + */ + +namespace Namespaced; + +class FooBar +{ + public static $loaded = true; +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Symfony/Component/ClassLoader/Tests/Fixtures/fallback/Namespaced2/FooBar.php b/apps/files_external/3rdparty/aws-sdk-php/Symfony/Component/ClassLoader/Tests/Fixtures/fallback/Namespaced2/FooBar.php new file mode 100644 index 0000000000..1036d43590 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Symfony/Component/ClassLoader/Tests/Fixtures/fallback/Namespaced2/FooBar.php @@ -0,0 +1,8 @@ + + * + * For the full copyright and license information, please view the LICENSE + * file that was distributed with this source code. + */ + +namespace Symfony\Component\ClassLoader\Tests; + +use Symfony\Component\ClassLoader\UniversalClassLoader; + +class UniversalClassLoaderTest extends \PHPUnit_Framework_TestCase +{ + /** + * @dataProvider getLoadClassTests + */ + public function testLoadClass($className, $testClassName, $message) + { + $loader = new UniversalClassLoader(); + $loader->registerNamespace('Namespaced', __DIR__.DIRECTORY_SEPARATOR.'Fixtures'); + $loader->registerPrefix('Pearlike_', __DIR__.DIRECTORY_SEPARATOR.'Fixtures'); + $this->assertTrue($loader->loadClass($testClassName)); + $this->assertTrue(class_exists($className), $message); + } + + public function getLoadClassTests() + { + return array( + array('\\Namespaced\\Foo', 'Namespaced\\Foo', '->loadClass() loads Namespaced\Foo class'), + array('\\Pearlike_Foo', 'Pearlike_Foo', '->loadClass() loads Pearlike_Foo class'), + ); + } + + public function testUseIncludePath() + { + $loader = new UniversalClassLoader(); + $this->assertFalse($loader->getUseIncludePath()); + + $this->assertNull($loader->findFile('Foo')); + + $includePath = get_include_path(); + + $loader->useIncludePath(true); + $this->assertTrue($loader->getUseIncludePath()); + + set_include_path(__DIR__.'/Fixtures/includepath'.PATH_SEPARATOR.$includePath); + + $this->assertEquals(__DIR__.DIRECTORY_SEPARATOR.'Fixtures'.DIRECTORY_SEPARATOR.'includepath'.DIRECTORY_SEPARATOR.'Foo.php', $loader->findFile('Foo')); + + set_include_path($includePath); + } + + public function testGetNamespaces() + { + $loader = new UniversalClassLoader(); + $loader->registerNamespace('Foo', __DIR__.DIRECTORY_SEPARATOR.'Fixtures'); + $loader->registerNamespace('Bar', __DIR__.DIRECTORY_SEPARATOR.'Fixtures'); + $loader->registerNamespace('Bas', __DIR__.DIRECTORY_SEPARATOR.'Fixtures'); + $namespaces = $loader->getNamespaces(); + $this->assertArrayHasKey('Foo', $namespaces); + $this->assertArrayNotHasKey('Foo1', $namespaces); + $this->assertArrayHasKey('Bar', $namespaces); + $this->assertArrayHasKey('Bas', $namespaces); + } + + public function testGetPrefixes() + { + $loader = new UniversalClassLoader(); + $loader->registerPrefix('Foo', __DIR__.DIRECTORY_SEPARATOR.'Fixtures'); + $loader->registerPrefix('Bar', __DIR__.DIRECTORY_SEPARATOR.'Fixtures'); + $loader->registerPrefix('Bas', __DIR__.DIRECTORY_SEPARATOR.'Fixtures'); + $prefixes = $loader->getPrefixes(); + $this->assertArrayHasKey('Foo', $prefixes); + $this->assertArrayNotHasKey('Foo1', $prefixes); + $this->assertArrayHasKey('Bar', $prefixes); + $this->assertArrayHasKey('Bas', $prefixes); + } + + /** + * @dataProvider getLoadClassFromFallbackTests + */ + public function testLoadClassFromFallback($className, $testClassName, $message) + { + $loader = new UniversalClassLoader(); + $loader->registerNamespace('Namespaced', __DIR__.DIRECTORY_SEPARATOR.'Fixtures'); + $loader->registerPrefix('Pearlike_', __DIR__.DIRECTORY_SEPARATOR.'Fixtures'); + $loader->registerNamespaceFallbacks(array(__DIR__.DIRECTORY_SEPARATOR.'Fixtures/fallback')); + $loader->registerPrefixFallbacks(array(__DIR__.DIRECTORY_SEPARATOR.'Fixtures/fallback')); + $this->assertTrue($loader->loadClass($testClassName)); + $this->assertTrue(class_exists($className), $message); + } + + public function getLoadClassFromFallbackTests() + { + return array( + array('\\Namespaced\\Baz', 'Namespaced\\Baz', '->loadClass() loads Namespaced\Baz class'), + array('\\Pearlike_Baz', 'Pearlike_Baz', '->loadClass() loads Pearlike_Baz class'), + array('\\Namespaced\\FooBar', 'Namespaced\\FooBar', '->loadClass() loads Namespaced\Baz class from fallback dir'), + array('\\Pearlike_FooBar', 'Pearlike_FooBar', '->loadClass() loads Pearlike_Baz class from fallback dir'), + ); + } + + public function testRegisterPrefixFallback() + { + $loader = new UniversalClassLoader(); + $loader->registerPrefixFallback(__DIR__.DIRECTORY_SEPARATOR.'Fixtures/fallback'); + $this->assertEquals(array(__DIR__.DIRECTORY_SEPARATOR.'Fixtures/fallback'), $loader->getPrefixFallbacks()); + } + + public function testRegisterNamespaceFallback() + { + $loader = new UniversalClassLoader(); + $loader->registerNamespaceFallback(__DIR__.DIRECTORY_SEPARATOR.'Fixtures/Namespaced/fallback'); + $this->assertEquals(array(__DIR__.DIRECTORY_SEPARATOR.'Fixtures/Namespaced/fallback'), $loader->getNamespaceFallbacks()); + } + + /** + * @dataProvider getLoadClassNamespaceCollisionTests + */ + public function testLoadClassNamespaceCollision($namespaces, $className, $message) + { + $loader = new UniversalClassLoader(); + $loader->registerNamespaces($namespaces); + + $this->assertTrue($loader->loadClass($className)); + $this->assertTrue(class_exists($className), $message); + } + + public function getLoadClassNamespaceCollisionTests() + { + return array( + array( + array( + 'NamespaceCollision\\A' => __DIR__.DIRECTORY_SEPARATOR.'Fixtures/alpha', + 'NamespaceCollision\\A\\B' => __DIR__.DIRECTORY_SEPARATOR.'Fixtures/beta', + ), + 'NamespaceCollision\A\Foo', + '->loadClass() loads NamespaceCollision\A\Foo from alpha.', + ), + array( + array( + 'NamespaceCollision\\A\\B' => __DIR__.DIRECTORY_SEPARATOR.'Fixtures/beta', + 'NamespaceCollision\\A' => __DIR__.DIRECTORY_SEPARATOR.'Fixtures/alpha', + ), + 'NamespaceCollision\A\Bar', + '->loadClass() loads NamespaceCollision\A\Bar from alpha.', + ), + array( + array( + 'NamespaceCollision\\A' => __DIR__.DIRECTORY_SEPARATOR.'Fixtures/alpha', + 'NamespaceCollision\\A\\B' => __DIR__.DIRECTORY_SEPARATOR.'Fixtures/beta', + ), + 'NamespaceCollision\A\B\Foo', + '->loadClass() loads NamespaceCollision\A\B\Foo from beta.', + ), + array( + array( + 'NamespaceCollision\\A\\B' => __DIR__.DIRECTORY_SEPARATOR.'Fixtures/beta', + 'NamespaceCollision\\A' => __DIR__.DIRECTORY_SEPARATOR.'Fixtures/alpha', + ), + 'NamespaceCollision\A\B\Bar', + '->loadClass() loads NamespaceCollision\A\B\Bar from beta.', + ), + ); + } + + /** + * @dataProvider getLoadClassPrefixCollisionTests + */ + public function testLoadClassPrefixCollision($prefixes, $className, $message) + { + $loader = new UniversalClassLoader(); + $loader->registerPrefixes($prefixes); + + $this->assertTrue($loader->loadClass($className)); + $this->assertTrue(class_exists($className), $message); + } + + public function getLoadClassPrefixCollisionTests() + { + return array( + array( + array( + 'PrefixCollision_A_' => __DIR__.DIRECTORY_SEPARATOR.'Fixtures/alpha', + 'PrefixCollision_A_B_' => __DIR__.DIRECTORY_SEPARATOR.'Fixtures/beta', + ), + 'PrefixCollision_A_Foo', + '->loadClass() loads PrefixCollision_A_Foo from alpha.', + ), + array( + array( + 'PrefixCollision_A_B_' => __DIR__.DIRECTORY_SEPARATOR.'Fixtures/beta', + 'PrefixCollision_A_' => __DIR__.DIRECTORY_SEPARATOR.'Fixtures/alpha', + ), + 'PrefixCollision_A_Bar', + '->loadClass() loads PrefixCollision_A_Bar from alpha.', + ), + array( + array( + 'PrefixCollision_A_' => __DIR__.DIRECTORY_SEPARATOR.'Fixtures/alpha', + 'PrefixCollision_A_B_' => __DIR__.DIRECTORY_SEPARATOR.'Fixtures/beta', + ), + 'PrefixCollision_A_B_Foo', + '->loadClass() loads PrefixCollision_A_B_Foo from beta.', + ), + array( + array( + 'PrefixCollision_A_B_' => __DIR__.DIRECTORY_SEPARATOR.'Fixtures/beta', + 'PrefixCollision_A_' => __DIR__.DIRECTORY_SEPARATOR.'Fixtures/alpha', + ), + 'PrefixCollision_A_B_Bar', + '->loadClass() loads PrefixCollision_A_B_Bar from beta.', + ), + ); + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Symfony/Component/ClassLoader/UniversalClassLoader.php b/apps/files_external/3rdparty/aws-sdk-php/Symfony/Component/ClassLoader/UniversalClassLoader.php new file mode 100644 index 0000000000..734af7430c --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Symfony/Component/ClassLoader/UniversalClassLoader.php @@ -0,0 +1,319 @@ + + * + * For the full copyright and license information, please view the LICENSE + * file that was distributed with this source code. + */ + +namespace Symfony\Component\ClassLoader; + +/** + * UniversalClassLoader implements a "universal" autoloader for PHP 5.3. + * + * It is able to load classes that use either: + * + * * The technical interoperability standards for PHP 5.3 namespaces and + * class names (https://github.com/php-fig/fig-standards/blob/master/accepted/PSR-0.md); + * + * * The PEAR naming convention for classes (http://pear.php.net/). + * + * Classes from a sub-namespace or a sub-hierarchy of PEAR classes can be + * looked for in a list of locations to ease the vendoring of a sub-set of + * classes for large projects. + * + * Example usage: + * + * $loader = new UniversalClassLoader(); + * + * // register classes with namespaces + * $loader->registerNamespaces(array( + * 'Symfony\Component' => __DIR__.'/component', + * 'Symfony' => __DIR__.'/framework', + * 'Sensio' => array(__DIR__.'/src', __DIR__.'/vendor'), + * )); + * + * // register a library using the PEAR naming convention + * $loader->registerPrefixes(array( + * 'Swift_' => __DIR__.'/Swift', + * )); + * + * + * // to enable searching the include path (e.g. for PEAR packages) + * $loader->useIncludePath(true); + * + * // activate the autoloader + * $loader->register(); + * + * In this example, if you try to use a class in the Symfony\Component + * namespace or one of its children (Symfony\Component\Console for instance), + * the autoloader will first look for the class under the component/ + * directory, and it will then fallback to the framework/ directory if not + * found before giving up. + * + * @author Fabien Potencier + * + * @api + */ +class UniversalClassLoader +{ + private $namespaces = array(); + private $prefixes = array(); + private $namespaceFallbacks = array(); + private $prefixFallbacks = array(); + private $useIncludePath = false; + + /** + * Turns on searching the include for class files. Allows easy loading + * of installed PEAR packages + * + * @param Boolean $useIncludePath + */ + public function useIncludePath($useIncludePath) + { + $this->useIncludePath = $useIncludePath; + } + + /** + * Can be used to check if the autoloader uses the include path to check + * for classes. + * + * @return Boolean + */ + public function getUseIncludePath() + { + return $this->useIncludePath; + } + + /** + * Gets the configured namespaces. + * + * @return array A hash with namespaces as keys and directories as values + */ + public function getNamespaces() + { + return $this->namespaces; + } + + /** + * Gets the configured class prefixes. + * + * @return array A hash with class prefixes as keys and directories as values + */ + public function getPrefixes() + { + return $this->prefixes; + } + + /** + * Gets the directory(ies) to use as a fallback for namespaces. + * + * @return array An array of directories + */ + public function getNamespaceFallbacks() + { + return $this->namespaceFallbacks; + } + + /** + * Gets the directory(ies) to use as a fallback for class prefixes. + * + * @return array An array of directories + */ + public function getPrefixFallbacks() + { + return $this->prefixFallbacks; + } + + /** + * Registers the directory to use as a fallback for namespaces. + * + * @param array $dirs An array of directories + * + * @api + */ + public function registerNamespaceFallbacks(array $dirs) + { + $this->namespaceFallbacks = $dirs; + } + + /** + * Registers a directory to use as a fallback for namespaces. + * + * @param string $dir A directory + */ + public function registerNamespaceFallback($dir) + { + $this->namespaceFallbacks[] = $dir; + } + + /** + * Registers directories to use as a fallback for class prefixes. + * + * @param array $dirs An array of directories + * + * @api + */ + public function registerPrefixFallbacks(array $dirs) + { + $this->prefixFallbacks = $dirs; + } + + /** + * Registers a directory to use as a fallback for class prefixes. + * + * @param string $dir A directory + */ + public function registerPrefixFallback($dir) + { + $this->prefixFallbacks[] = $dir; + } + + /** + * Registers an array of namespaces + * + * @param array $namespaces An array of namespaces (namespaces as keys and locations as values) + * + * @api + */ + public function registerNamespaces(array $namespaces) + { + foreach ($namespaces as $namespace => $locations) { + $this->namespaces[$namespace] = (array) $locations; + } + } + + /** + * Registers a namespace. + * + * @param string $namespace The namespace + * @param array|string $paths The location(s) of the namespace + * + * @api + */ + public function registerNamespace($namespace, $paths) + { + $this->namespaces[$namespace] = (array) $paths; + } + + /** + * Registers an array of classes using the PEAR naming convention. + * + * @param array $classes An array of classes (prefixes as keys and locations as values) + * + * @api + */ + public function registerPrefixes(array $classes) + { + foreach ($classes as $prefix => $locations) { + $this->prefixes[$prefix] = (array) $locations; + } + } + + /** + * Registers a set of classes using the PEAR naming convention. + * + * @param string $prefix The classes prefix + * @param array|string $paths The location(s) of the classes + * + * @api + */ + public function registerPrefix($prefix, $paths) + { + $this->prefixes[$prefix] = (array) $paths; + } + + /** + * Registers this instance as an autoloader. + * + * @param Boolean $prepend Whether to prepend the autoloader or not + * + * @api + */ + public function register($prepend = false) + { + spl_autoload_register(array($this, 'loadClass'), true, $prepend); + } + + /** + * Loads the given class or interface. + * + * @param string $class The name of the class + * + * @return Boolean|null True, if loaded + */ + public function loadClass($class) + { + if ($file = $this->findFile($class)) { + require $file; + + return true; + } + } + + /** + * Finds the path to the file where the class is defined. + * + * @param string $class The name of the class + * + * @return string|null The path, if found + */ + public function findFile($class) + { + if (false !== $pos = strrpos($class, '\\')) { + // namespaced class name + $namespace = substr($class, 0, $pos); + $className = substr($class, $pos + 1); + $normalizedClass = str_replace('\\', DIRECTORY_SEPARATOR, $namespace).DIRECTORY_SEPARATOR.str_replace('_', DIRECTORY_SEPARATOR, $className).'.php'; + foreach ($this->namespaces as $ns => $dirs) { + if (0 !== strpos($namespace, $ns)) { + continue; + } + + foreach ($dirs as $dir) { + $file = $dir.DIRECTORY_SEPARATOR.$normalizedClass; + if (is_file($file)) { + return $file; + } + } + } + + foreach ($this->namespaceFallbacks as $dir) { + $file = $dir.DIRECTORY_SEPARATOR.$normalizedClass; + if (is_file($file)) { + return $file; + } + } + + } else { + // PEAR-like class name + $normalizedClass = str_replace('_', DIRECTORY_SEPARATOR, $class).'.php'; + foreach ($this->prefixes as $prefix => $dirs) { + if (0 !== strpos($class, $prefix)) { + continue; + } + + foreach ($dirs as $dir) { + $file = $dir.DIRECTORY_SEPARATOR.$normalizedClass; + if (is_file($file)) { + return $file; + } + } + } + + foreach ($this->prefixFallbacks as $dir) { + $file = $dir.DIRECTORY_SEPARATOR.$normalizedClass; + if (is_file($file)) { + return $file; + } + } + } + + if ($this->useIncludePath && $file = stream_resolve_include_path($normalizedClass)) { + return $file; + } + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Symfony/Component/ClassLoader/WinCacheClassLoader.php b/apps/files_external/3rdparty/aws-sdk-php/Symfony/Component/ClassLoader/WinCacheClassLoader.php new file mode 100644 index 0000000000..3d09fa99f9 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Symfony/Component/ClassLoader/WinCacheClassLoader.php @@ -0,0 +1,133 @@ + + * + * For the full copyright and license information, please view the LICENSE + * file that was distributed with this source code. + */ + +namespace Symfony\Component\ClassLoader; + +/** + * WinCacheClassLoader implements a wrapping autoloader cached in WinCache. + * + * It expects an object implementing a findFile method to find the file. This + * allow using it as a wrapper around the other loaders of the component (the + * ClassLoader and the UniversalClassLoader for instance) but also around any + * other autoloader following this convention (the Composer one for instance) + * + * $loader = new ClassLoader(); + * + * // register classes with namespaces + * $loader->add('Symfony\Component', __DIR__.'/component'); + * $loader->add('Symfony', __DIR__.'/framework'); + * + * $cachedLoader = new WinCacheClassLoader('my_prefix', $loader); + * + * // activate the cached autoloader + * $cachedLoader->register(); + * + * // eventually deactivate the non-cached loader if it was registered previously + * // to be sure to use the cached one. + * $loader->unregister(); + * + * @author Fabien Potencier + * @author Kris Wallsmith + * @author Artem Ryzhkov + */ +class WinCacheClassLoader +{ + private $prefix; + + /** + * The class loader object being decorated. + * + * @var \Symfony\Component\ClassLoader\ClassLoader + * A class loader object that implements the findFile() method. + */ + protected $decorated; + + /** + * Constructor. + * + * @param string $prefix The WinCache namespace prefix to use. + * @param object $decorated A class loader object that implements the findFile() method. + * + * @throws \RuntimeException + * @throws \InvalidArgumentException + */ + public function __construct($prefix, $decorated) + { + if (!extension_loaded('wincache')) { + throw new \RuntimeException('Unable to use WinCacheClassLoader as WinCache is not enabled.'); + } + + if (!method_exists($decorated, 'findFile')) { + throw new \InvalidArgumentException('The class finder must implement a "findFile" method.'); + } + + $this->prefix = $prefix; + $this->decorated = $decorated; + } + + /** + * Registers this instance as an autoloader. + * + * @param Boolean $prepend Whether to prepend the autoloader or not + */ + public function register($prepend = false) + { + spl_autoload_register(array($this, 'loadClass'), true, $prepend); + } + + /** + * Unregisters this instance as an autoloader. + */ + public function unregister() + { + spl_autoload_unregister(array($this, 'loadClass')); + } + + /** + * Loads the given class or interface. + * + * @param string $class The name of the class + * + * @return Boolean|null True, if loaded + */ + public function loadClass($class) + { + if ($file = $this->findFile($class)) { + require $file; + + return true; + } + } + + /** + * Finds a file by class name while caching lookups to WinCache. + * + * @param string $class A class name to resolve to file + * + * @return string|null + */ + public function findFile($class) + { + if (false === $file = wincache_ucache_get($this->prefix.$class)) { + wincache_ucache_set($this->prefix.$class, $file = $this->decorated->findFile($class), 0); + } + + return $file; + } + + /** + * Passes through all unknown calls onto the decorated object. + */ + public function __call($method, $args) + { + return call_user_func_array(array($this->decorated, $method), $args); + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Symfony/Component/ClassLoader/XcacheClassLoader.php b/apps/files_external/3rdparty/aws-sdk-php/Symfony/Component/ClassLoader/XcacheClassLoader.php new file mode 100644 index 0000000000..31bb00684b --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Symfony/Component/ClassLoader/XcacheClassLoader.php @@ -0,0 +1,124 @@ + + * + * For the full copyright and license information, please view the LICENSE + * file that was distributed with this source code. + */ + +namespace Symfony\Component\ClassLoader; + +/** + * XcacheClassLoader implements a wrapping autoloader cached in Xcache for PHP 5.3. + * + * It expects an object implementing a findFile method to find the file. This + * allows using it as a wrapper around the other loaders of the component (the + * ClassLoader and the UniversalClassLoader for instance) but also around any + * other autoloader following this convention (the Composer one for instance) + * + * $loader = new ClassLoader(); + * + * // register classes with namespaces + * $loader->add('Symfony\Component', __DIR__.'/component'); + * $loader->add('Symfony', __DIR__.'/framework'); + * + * $cachedLoader = new XcacheClassLoader('my_prefix', $loader); + * + * // activate the cached autoloader + * $cachedLoader->register(); + * + * // eventually deactivate the non-cached loader if it was registered previously + * // to be sure to use the cached one. + * $loader->unregister(); + * + * @author Fabien Potencier + * @author Kris Wallsmith + * @author Kim Hemsø Rasmussen + * + * @api + */ +class XcacheClassLoader +{ + private $prefix; + private $classFinder; + + /** + * Constructor. + * + * @param string $prefix A prefix to create a namespace in Xcache + * @param object $classFinder An object that implements findFile() method. + * + * @throws \RuntimeException + * @throws \InvalidArgumentException + * + * @api + */ + public function __construct($prefix, $classFinder) + { + if (!extension_loaded('Xcache')) { + throw new \RuntimeException('Unable to use XcacheClassLoader as Xcache is not enabled.'); + } + + if (!method_exists($classFinder, 'findFile')) { + throw new \InvalidArgumentException('The class finder must implement a "findFile" method.'); + } + + $this->prefix = $prefix; + $this->classFinder = $classFinder; + } + + /** + * Registers this instance as an autoloader. + * + * @param Boolean $prepend Whether to prepend the autoloader or not + */ + public function register($prepend = false) + { + spl_autoload_register(array($this, 'loadClass'), true, $prepend); + } + + /** + * Unregisters this instance as an autoloader. + */ + public function unregister() + { + spl_autoload_unregister(array($this, 'loadClass')); + } + + /** + * Loads the given class or interface. + * + * @param string $class The name of the class + * + * @return Boolean|null True, if loaded + */ + public function loadClass($class) + { + if ($file = $this->findFile($class)) { + require $file; + + return true; + } + } + + /** + * Finds a file by class name while caching lookups to Xcache. + * + * @param string $class A class name to resolve to file + * + * @return string|null + */ + public function findFile($class) + { + if (xcache_isset($this->prefix.$class)) { + $file = xcache_get($this->prefix.$class); + } else { + xcache_set($this->prefix.$class, $file = $this->classFinder->findFile($class)); + } + + return $file; + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Symfony/Component/EventDispatcher/ContainerAwareEventDispatcher.php b/apps/files_external/3rdparty/aws-sdk-php/Symfony/Component/EventDispatcher/ContainerAwareEventDispatcher.php new file mode 100644 index 0000000000..9448ed43e9 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Symfony/Component/EventDispatcher/ContainerAwareEventDispatcher.php @@ -0,0 +1,202 @@ + + * + * For the full copyright and license information, please view the LICENSE + * file that was distributed with this source code. + */ + +namespace Symfony\Component\EventDispatcher; + +use Symfony\Component\DependencyInjection\ContainerInterface; + +/** + * Lazily loads listeners and subscribers from the dependency injection + * container + * + * @author Fabien Potencier + * @author Bernhard Schussek + * @author Jordan Alliot + */ +class ContainerAwareEventDispatcher extends EventDispatcher +{ + /** + * The container from where services are loaded + * @var ContainerInterface + */ + private $container; + + /** + * The service IDs of the event listeners and subscribers + * @var array + */ + private $listenerIds = array(); + + /** + * The services registered as listeners + * @var array + */ + private $listeners = array(); + + /** + * Constructor. + * + * @param ContainerInterface $container A ContainerInterface instance + */ + public function __construct(ContainerInterface $container) + { + $this->container = $container; + } + + /** + * Adds a service as event listener + * + * @param string $eventName Event for which the listener is added + * @param array $callback The service ID of the listener service & the method + * name that has to be called + * @param integer $priority The higher this value, the earlier an event listener + * will be triggered in the chain. + * Defaults to 0. + * + * @throws \InvalidArgumentException + */ + public function addListenerService($eventName, $callback, $priority = 0) + { + if (!is_array($callback) || 2 !== count($callback)) { + throw new \InvalidArgumentException('Expected an array("service", "method") argument'); + } + + $this->listenerIds[$eventName][] = array($callback[0], $callback[1], $priority); + } + + public function removeListener($eventName, $listener) + { + $this->lazyLoad($eventName); + + if (isset($this->listeners[$eventName])) { + foreach ($this->listeners[$eventName] as $key => $l) { + foreach ($this->listenerIds[$eventName] as $i => $args) { + list($serviceId, $method, $priority) = $args; + if ($key === $serviceId.'.'.$method) { + if ($listener === array($l, $method)) { + unset($this->listeners[$eventName][$key]); + if (empty($this->listeners[$eventName])) { + unset($this->listeners[$eventName]); + } + unset($this->listenerIds[$eventName][$i]); + if (empty($this->listenerIds[$eventName])) { + unset($this->listenerIds[$eventName]); + } + } + } + } + } + } + + parent::removeListener($eventName, $listener); + } + + /** + * @see EventDispatcherInterface::hasListeners + */ + public function hasListeners($eventName = null) + { + if (null === $eventName) { + return (Boolean) count($this->listenerIds) || (Boolean) count($this->listeners); + } + + if (isset($this->listenerIds[$eventName])) { + return true; + } + + return parent::hasListeners($eventName); + } + + /** + * @see EventDispatcherInterface::getListeners + */ + public function getListeners($eventName = null) + { + if (null === $eventName) { + foreach (array_keys($this->listenerIds) as $serviceEventName) { + $this->lazyLoad($serviceEventName); + } + } else { + $this->lazyLoad($eventName); + } + + return parent::getListeners($eventName); + } + + /** + * Adds a service as event subscriber + * + * @param string $serviceId The service ID of the subscriber service + * @param string $class The service's class name (which must implement EventSubscriberInterface) + */ + public function addSubscriberService($serviceId, $class) + { + foreach ($class::getSubscribedEvents() as $eventName => $params) { + if (is_string($params)) { + $this->listenerIds[$eventName][] = array($serviceId, $params, 0); + } elseif (is_string($params[0])) { + $this->listenerIds[$eventName][] = array($serviceId, $params[0], isset($params[1]) ? $params[1] : 0); + } else { + foreach ($params as $listener) { + $this->listenerIds[$eventName][] = array($serviceId, $listener[0], isset($listener[1]) ? $listener[1] : 0); + } + } + } + } + + /** + * {@inheritDoc} + * + * Lazily loads listeners for this event from the dependency injection + * container. + * + * @throws \InvalidArgumentException if the service is not defined + */ + public function dispatch($eventName, Event $event = null) + { + $this->lazyLoad($eventName); + + return parent::dispatch($eventName, $event); + } + + public function getContainer() + { + return $this->container; + } + + /** + * Lazily loads listeners for this event from the dependency injection + * container. + * + * @param string $eventName The name of the event to dispatch. The name of + * the event is the name of the method that is + * invoked on listeners. + */ + protected function lazyLoad($eventName) + { + if (isset($this->listenerIds[$eventName])) { + foreach ($this->listenerIds[$eventName] as $args) { + list($serviceId, $method, $priority) = $args; + $listener = $this->container->get($serviceId); + + $key = $serviceId.'.'.$method; + if (!isset($this->listeners[$eventName][$key])) { + $this->addListener($eventName, array($listener, $method), $priority); + } elseif ($listener !== $this->listeners[$eventName][$key]) { + parent::removeListener($eventName, array($this->listeners[$eventName][$key], $method)); + $this->addListener($eventName, array($listener, $method), $priority); + } + + $this->listeners[$eventName][$key] = $listener; + } + } + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Symfony/Component/EventDispatcher/Debug/TraceableEventDispatcherInterface.php b/apps/files_external/3rdparty/aws-sdk-php/Symfony/Component/EventDispatcher/Debug/TraceableEventDispatcherInterface.php new file mode 100644 index 0000000000..a67a979014 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Symfony/Component/EventDispatcher/Debug/TraceableEventDispatcherInterface.php @@ -0,0 +1,32 @@ + + * + * For the full copyright and license information, please view the LICENSE + * file that was distributed with this source code. + */ + +namespace Symfony\Component\EventDispatcher\Debug; + +/** + * @author Fabien Potencier + */ +interface TraceableEventDispatcherInterface +{ + /** + * Gets the called listeners. + * + * @return array An array of called listeners + */ + public function getCalledListeners(); + + /** + * Gets the not called listeners. + * + * @return array An array of not called listeners + */ + public function getNotCalledListeners(); +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Symfony/Component/EventDispatcher/Event.php b/apps/files_external/3rdparty/aws-sdk-php/Symfony/Component/EventDispatcher/Event.php new file mode 100644 index 0000000000..42f09eaa51 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Symfony/Component/EventDispatcher/Event.php @@ -0,0 +1,121 @@ + + * + * For the full copyright and license information, please view the LICENSE + * file that was distributed with this source code. + */ + +namespace Symfony\Component\EventDispatcher; + +/** + * Event is the base class for classes containing event data. + * + * This class contains no event data. It is used by events that do not pass + * state information to an event handler when an event is raised. + * + * You can call the method stopPropagation() to abort the execution of + * further listeners in your event listener. + * + * @author Guilherme Blanco + * @author Jonathan Wage + * @author Roman Borschel + * @author Bernhard Schussek + * + * @api + */ +class Event +{ + /** + * @var Boolean Whether no further event listeners should be triggered + */ + private $propagationStopped = false; + + /** + * @var EventDispatcher Dispatcher that dispatched this event + */ + private $dispatcher; + + /** + * @var string This event's name + */ + private $name; + + /** + * Returns whether further event listeners should be triggered. + * + * @see Event::stopPropagation + * @return Boolean Whether propagation was already stopped for this event. + * + * @api + */ + public function isPropagationStopped() + { + return $this->propagationStopped; + } + + /** + * Stops the propagation of the event to further event listeners. + * + * If multiple event listeners are connected to the same event, no + * further event listener will be triggered once any trigger calls + * stopPropagation(). + * + * @api + */ + public function stopPropagation() + { + $this->propagationStopped = true; + } + + /** + * Stores the EventDispatcher that dispatches this Event + * + * @param EventDispatcherInterface $dispatcher + * + * @api + */ + public function setDispatcher(EventDispatcherInterface $dispatcher) + { + $this->dispatcher = $dispatcher; + } + + /** + * Returns the EventDispatcher that dispatches this Event + * + * @return EventDispatcherInterface + * + * @api + */ + public function getDispatcher() + { + return $this->dispatcher; + } + + /** + * Gets the event's name. + * + * @return string + * + * @api + */ + public function getName() + { + return $this->name; + } + + /** + * Sets the event's name property. + * + * @param string $name The event name. + * + * @api + */ + public function setName($name) + { + $this->name = $name; + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Symfony/Component/EventDispatcher/EventDispatcher.php b/apps/files_external/3rdparty/aws-sdk-php/Symfony/Component/EventDispatcher/EventDispatcher.php new file mode 100644 index 0000000000..eb1fb5949e --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Symfony/Component/EventDispatcher/EventDispatcher.php @@ -0,0 +1,185 @@ + + * + * For the full copyright and license information, please view the LICENSE + * file that was distributed with this source code. + */ + +namespace Symfony\Component\EventDispatcher; + +/** + * The EventDispatcherInterface is the central point of Symfony's event listener system. + * + * Listeners are registered on the manager and events are dispatched through the + * manager. + * + * @author Guilherme Blanco + * @author Jonathan Wage + * @author Roman Borschel + * @author Bernhard Schussek + * @author Fabien Potencier + * @author Jordi Boggiano + * @author Jordan Alliot + * + * @api + */ +class EventDispatcher implements EventDispatcherInterface +{ + private $listeners = array(); + private $sorted = array(); + + /** + * @see EventDispatcherInterface::dispatch + * + * @api + */ + public function dispatch($eventName, Event $event = null) + { + if (null === $event) { + $event = new Event(); + } + + $event->setDispatcher($this); + $event->setName($eventName); + + if (!isset($this->listeners[$eventName])) { + return $event; + } + + $this->doDispatch($this->getListeners($eventName), $eventName, $event); + + return $event; + } + + /** + * @see EventDispatcherInterface::getListeners + */ + public function getListeners($eventName = null) + { + if (null !== $eventName) { + if (!isset($this->sorted[$eventName])) { + $this->sortListeners($eventName); + } + + return $this->sorted[$eventName]; + } + + foreach (array_keys($this->listeners) as $eventName) { + if (!isset($this->sorted[$eventName])) { + $this->sortListeners($eventName); + } + } + + return $this->sorted; + } + + /** + * @see EventDispatcherInterface::hasListeners + */ + public function hasListeners($eventName = null) + { + return (Boolean) count($this->getListeners($eventName)); + } + + /** + * @see EventDispatcherInterface::addListener + * + * @api + */ + public function addListener($eventName, $listener, $priority = 0) + { + $this->listeners[$eventName][$priority][] = $listener; + unset($this->sorted[$eventName]); + } + + /** + * @see EventDispatcherInterface::removeListener + */ + public function removeListener($eventName, $listener) + { + if (!isset($this->listeners[$eventName])) { + return; + } + + foreach ($this->listeners[$eventName] as $priority => $listeners) { + if (false !== ($key = array_search($listener, $listeners, true))) { + unset($this->listeners[$eventName][$priority][$key], $this->sorted[$eventName]); + } + } + } + + /** + * @see EventDispatcherInterface::addSubscriber + * + * @api + */ + public function addSubscriber(EventSubscriberInterface $subscriber) + { + foreach ($subscriber->getSubscribedEvents() as $eventName => $params) { + if (is_string($params)) { + $this->addListener($eventName, array($subscriber, $params)); + } elseif (is_string($params[0])) { + $this->addListener($eventName, array($subscriber, $params[0]), isset($params[1]) ? $params[1] : 0); + } else { + foreach ($params as $listener) { + $this->addListener($eventName, array($subscriber, $listener[0]), isset($listener[1]) ? $listener[1] : 0); + } + } + } + } + + /** + * @see EventDispatcherInterface::removeSubscriber + */ + public function removeSubscriber(EventSubscriberInterface $subscriber) + { + foreach ($subscriber->getSubscribedEvents() as $eventName => $params) { + if (is_array($params) && is_array($params[0])) { + foreach ($params as $listener) { + $this->removeListener($eventName, array($subscriber, $listener[0])); + } + } else { + $this->removeListener($eventName, array($subscriber, is_string($params) ? $params : $params[0])); + } + } + } + + /** + * Triggers the listeners of an event. + * + * This method can be overridden to add functionality that is executed + * for each listener. + * + * @param array[callback] $listeners The event listeners. + * @param string $eventName The name of the event to dispatch. + * @param Event $event The event object to pass to the event handlers/listeners. + */ + protected function doDispatch($listeners, $eventName, Event $event) + { + foreach ($listeners as $listener) { + call_user_func($listener, $event); + if ($event->isPropagationStopped()) { + break; + } + } + } + + /** + * Sorts the internal list of listeners for the given event by priority. + * + * @param string $eventName The name of the event. + */ + private function sortListeners($eventName) + { + $this->sorted[$eventName] = array(); + + if (isset($this->listeners[$eventName])) { + krsort($this->listeners[$eventName]); + $this->sorted[$eventName] = call_user_func_array('array_merge', $this->listeners[$eventName]); + } + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Symfony/Component/EventDispatcher/EventDispatcherInterface.php b/apps/files_external/3rdparty/aws-sdk-php/Symfony/Component/EventDispatcher/EventDispatcherInterface.php new file mode 100644 index 0000000000..7aead23b0d --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Symfony/Component/EventDispatcher/EventDispatcherInterface.php @@ -0,0 +1,96 @@ + + * + * For the full copyright and license information, please view the LICENSE + * file that was distributed with this source code. + */ + +namespace Symfony\Component\EventDispatcher; + +/** + * The EventDispatcherInterface is the central point of Symfony's event listener system. + * Listeners are registered on the manager and events are dispatched through the + * manager. + * + * @author Bernhard Schussek + * + * @api + */ +interface EventDispatcherInterface +{ + /** + * Dispatches an event to all registered listeners. + * + * @param string $eventName The name of the event to dispatch. The name of + * the event is the name of the method that is + * invoked on listeners. + * @param Event $event The event to pass to the event handlers/listeners. + * If not supplied, an empty Event instance is created. + * + * @return Event + * + * @api + */ + public function dispatch($eventName, Event $event = null); + + /** + * Adds an event listener that listens on the specified events. + * + * @param string $eventName The event to listen on + * @param callable $listener The listener + * @param integer $priority The higher this value, the earlier an event + * listener will be triggered in the chain (defaults to 0) + * + * @api + */ + public function addListener($eventName, $listener, $priority = 0); + + /** + * Adds an event subscriber. + * + * The subscriber is asked for all the events he is + * interested in and added as a listener for these events. + * + * @param EventSubscriberInterface $subscriber The subscriber. + * + * @api + */ + public function addSubscriber(EventSubscriberInterface $subscriber); + + /** + * Removes an event listener from the specified events. + * + * @param string|array $eventName The event(s) to remove a listener from + * @param callable $listener The listener to remove + */ + public function removeListener($eventName, $listener); + + /** + * Removes an event subscriber. + * + * @param EventSubscriberInterface $subscriber The subscriber + */ + public function removeSubscriber(EventSubscriberInterface $subscriber); + + /** + * Gets the listeners of a specific event or all listeners. + * + * @param string $eventName The name of the event + * + * @return array The event listeners for the specified event, or all event listeners by event name + */ + public function getListeners($eventName = null); + + /** + * Checks whether an event has any registered listeners. + * + * @param string $eventName The name of the event + * + * @return Boolean true if the specified event has any listeners, false otherwise + */ + public function hasListeners($eventName = null); +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Symfony/Component/EventDispatcher/EventSubscriberInterface.php b/apps/files_external/3rdparty/aws-sdk-php/Symfony/Component/EventDispatcher/EventSubscriberInterface.php new file mode 100644 index 0000000000..080f892fdf --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Symfony/Component/EventDispatcher/EventSubscriberInterface.php @@ -0,0 +1,50 @@ + + * + * For the full copyright and license information, please view the LICENSE + * file that was distributed with this source code. + */ + +namespace Symfony\Component\EventDispatcher; + +/** + * An EventSubscriber knows himself what events he is interested in. + * If an EventSubscriber is added to an EventDispatcherInterface, the manager invokes + * {@link getSubscribedEvents} and registers the subscriber as a listener for all + * returned events. + * + * @author Guilherme Blanco + * @author Jonathan Wage + * @author Roman Borschel + * @author Bernhard Schussek + * + * @api + */ +interface EventSubscriberInterface +{ + /** + * Returns an array of event names this subscriber wants to listen to. + * + * The array keys are event names and the value can be: + * + * * The method name to call (priority defaults to 0) + * * An array composed of the method name to call and the priority + * * An array of arrays composed of the method names to call and respective + * priorities, or 0 if unset + * + * For instance: + * + * * array('eventName' => 'methodName') + * * array('eventName' => array('methodName', $priority)) + * * array('eventName' => array(array('methodName1', $priority), array('methodName2')) + * + * @return array The event names to listen to + * + * @api + */ + public static function getSubscribedEvents(); +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Symfony/Component/EventDispatcher/GenericEvent.php b/apps/files_external/3rdparty/aws-sdk-php/Symfony/Component/EventDispatcher/GenericEvent.php new file mode 100644 index 0000000000..3a5efcfecc --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Symfony/Component/EventDispatcher/GenericEvent.php @@ -0,0 +1,186 @@ + + * + * For the full copyright and license information, please view the LICENSE + * file that was distributed with this source code. + */ + +namespace Symfony\Component\EventDispatcher; + +/** + * Event encapsulation class. + * + * Encapsulates events thus decoupling the observer from the subject they encapsulate. + * + * @author Drak + */ +class GenericEvent extends Event implements \ArrayAccess, \IteratorAggregate +{ + /** + * Observer pattern subject. + * + * @var mixed usually object or callable + */ + protected $subject; + + /** + * Array of arguments. + * + * @var array + */ + protected $arguments; + + /** + * Encapsulate an event with $subject and $args. + * + * @param mixed $subject The subject of the event, usually an object. + * @param array $arguments Arguments to store in the event. + */ + public function __construct($subject = null, array $arguments = array()) + { + $this->subject = $subject; + $this->arguments = $arguments; + } + + /** + * Getter for subject property. + * + * @return mixed $subject The observer subject. + */ + public function getSubject() + { + return $this->subject; + } + + /** + * Get argument by key. + * + * @param string $key Key. + * + * @throws \InvalidArgumentException If key is not found. + * + * @return mixed Contents of array key. + */ + public function getArgument($key) + { + if ($this->hasArgument($key)) { + return $this->arguments[$key]; + } + + throw new \InvalidArgumentException(sprintf('%s not found in %s', $key, $this->getName())); + } + + /** + * Add argument to event. + * + * @param string $key Argument name. + * @param mixed $value Value. + * + * @return GenericEvent + */ + public function setArgument($key, $value) + { + $this->arguments[$key] = $value; + + return $this; + } + + /** + * Getter for all arguments. + * + * @return array + */ + public function getArguments() + { + return $this->arguments; + } + + /** + * Set args property. + * + * @param array $args Arguments. + * + * @return GenericEvent + */ + public function setArguments(array $args = array()) + { + $this->arguments = $args; + + return $this; + } + + /** + * Has argument. + * + * @param string $key Key of arguments array. + * + * @return boolean + */ + public function hasArgument($key) + { + return array_key_exists($key, $this->arguments); + } + + /** + * ArrayAccess for argument getter. + * + * @param string $key Array key. + * + * @throws \InvalidArgumentException If key does not exist in $this->args. + * + * @return mixed + */ + public function offsetGet($key) + { + return $this->getArgument($key); + } + + /** + * ArrayAccess for argument setter. + * + * @param string $key Array key to set. + * @param mixed $value Value. + */ + public function offsetSet($key, $value) + { + $this->setArgument($key, $value); + } + + /** + * ArrayAccess for unset argument. + * + * @param string $key Array key. + */ + public function offsetUnset($key) + { + if ($this->hasArgument($key)) { + unset($this->arguments[$key]); + } + } + + /** + * ArrayAccess has argument. + * + * @param string $key Array key. + * + * @return boolean + */ + public function offsetExists($key) + { + return $this->hasArgument($key); + } + + /** + * IteratorAggregate for iterating over the object like an array + * + * @return \ArrayIterator + */ + public function getIterator() + { + return new \ArrayIterator($this->arguments); + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Symfony/Component/EventDispatcher/ImmutableEventDispatcher.php b/apps/files_external/3rdparty/aws-sdk-php/Symfony/Component/EventDispatcher/ImmutableEventDispatcher.php new file mode 100644 index 0000000000..b70b81a8b2 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Symfony/Component/EventDispatcher/ImmutableEventDispatcher.php @@ -0,0 +1,92 @@ + + * + * For the full copyright and license information, please view the LICENSE + * file that was distributed with this source code. + */ + +namespace Symfony\Component\EventDispatcher; + +/** + * A read-only proxy for an event dispatcher. + * + * @author Bernhard Schussek + */ +class ImmutableEventDispatcher implements EventDispatcherInterface +{ + /** + * The proxied dispatcher. + * @var EventDispatcherInterface + */ + private $dispatcher; + + /** + * Creates an unmodifiable proxy for an event dispatcher. + * + * @param EventDispatcherInterface $dispatcher The proxied event dispatcher. + */ + public function __construct(EventDispatcherInterface $dispatcher) + { + $this->dispatcher = $dispatcher; + } + + /** + * {@inheritdoc} + */ + public function dispatch($eventName, Event $event = null) + { + return $this->dispatcher->dispatch($eventName, $event); + } + + /** + * {@inheritdoc} + */ + public function addListener($eventName, $listener, $priority = 0) + { + throw new \BadMethodCallException('Unmodifiable event dispatchers must not be modified.'); + } + + /** + * {@inheritdoc} + */ + public function addSubscriber(EventSubscriberInterface $subscriber) + { + throw new \BadMethodCallException('Unmodifiable event dispatchers must not be modified.'); + } + + /** + * {@inheritdoc} + */ + public function removeListener($eventName, $listener) + { + throw new \BadMethodCallException('Unmodifiable event dispatchers must not be modified.'); + } + + /** + * {@inheritdoc} + */ + public function removeSubscriber(EventSubscriberInterface $subscriber) + { + throw new \BadMethodCallException('Unmodifiable event dispatchers must not be modified.'); + } + + /** + * {@inheritdoc} + */ + public function getListeners($eventName = null) + { + return $this->dispatcher->getListeners($eventName); + } + + /** + * {@inheritdoc} + */ + public function hasListeners($eventName = null) + { + return $this->dispatcher->hasListeners($eventName); + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Symfony/Component/EventDispatcher/Tests/ContainerAwareEventDispatcherTest.php b/apps/files_external/3rdparty/aws-sdk-php/Symfony/Component/EventDispatcher/Tests/ContainerAwareEventDispatcherTest.php new file mode 100644 index 0000000000..71f3ad0521 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Symfony/Component/EventDispatcher/Tests/ContainerAwareEventDispatcherTest.php @@ -0,0 +1,257 @@ + + * + * For the full copyright and license information, please view the LICENSE + * file that was distributed with this source code. + */ + +namespace Symfony\Component\EventDispatcher\Tests; + +use Symfony\Component\DependencyInjection\Container; +use Symfony\Component\DependencyInjection\Scope; +use Symfony\Component\EventDispatcher\ContainerAwareEventDispatcher; +use Symfony\Component\EventDispatcher\Event; +use Symfony\Component\EventDispatcher\EventSubscriberInterface; + +class ContainerAwareEventDispatcherTest extends \PHPUnit_Framework_TestCase +{ + protected function setUp() + { + if (!class_exists('Symfony\Component\DependencyInjection\Container')) { + $this->markTestSkipped('The "DependencyInjection" component is not available'); + } + } + + public function testAddAListenerService() + { + $event = new Event(); + + $service = $this->getMock('Symfony\Component\EventDispatcher\Tests\Service'); + + $service + ->expects($this->once()) + ->method('onEvent') + ->with($event) + ; + + $container = new Container(); + $container->set('service.listener', $service); + + $dispatcher = new ContainerAwareEventDispatcher($container); + $dispatcher->addListenerService('onEvent', array('service.listener', 'onEvent')); + + $dispatcher->dispatch('onEvent', $event); + } + + public function testAddASubscriberService() + { + $event = new Event(); + + $service = $this->getMock('Symfony\Component\EventDispatcher\Tests\SubscriberService'); + + $service + ->expects($this->once()) + ->method('onEvent') + ->with($event) + ; + + $container = new Container(); + $container->set('service.subscriber', $service); + + $dispatcher = new ContainerAwareEventDispatcher($container); + $dispatcher->addSubscriberService('service.subscriber', 'Symfony\Component\EventDispatcher\Tests\SubscriberService'); + + $dispatcher->dispatch('onEvent', $event); + } + + public function testPreventDuplicateListenerService() + { + $event = new Event(); + + $service = $this->getMock('Symfony\Component\EventDispatcher\Tests\Service'); + + $service + ->expects($this->once()) + ->method('onEvent') + ->with($event) + ; + + $container = new Container(); + $container->set('service.listener', $service); + + $dispatcher = new ContainerAwareEventDispatcher($container); + $dispatcher->addListenerService('onEvent', array('service.listener', 'onEvent'), 5); + $dispatcher->addListenerService('onEvent', array('service.listener', 'onEvent'), 10); + + $dispatcher->dispatch('onEvent', $event); + } + + /** + * @expectedException \InvalidArgumentException + */ + public function testTriggerAListenerServiceOutOfScope() + { + $service = $this->getMock('Symfony\Component\EventDispatcher\Tests\Service'); + + $scope = new Scope('scope'); + $container = new Container(); + $container->addScope($scope); + $container->enterScope('scope'); + + $container->set('service.listener', $service, 'scope'); + + $dispatcher = new ContainerAwareEventDispatcher($container); + $dispatcher->addListenerService('onEvent', array('service.listener', 'onEvent')); + + $container->leaveScope('scope'); + $dispatcher->dispatch('onEvent'); + } + + public function testReEnteringAScope() + { + $event = new Event(); + + $service1 = $this->getMock('Symfony\Component\EventDispatcher\Tests\Service'); + + $service1 + ->expects($this->exactly(2)) + ->method('onEvent') + ->with($event) + ; + + $scope = new Scope('scope'); + $container = new Container(); + $container->addScope($scope); + $container->enterScope('scope'); + + $container->set('service.listener', $service1, 'scope'); + + $dispatcher = new ContainerAwareEventDispatcher($container); + $dispatcher->addListenerService('onEvent', array('service.listener', 'onEvent')); + $dispatcher->dispatch('onEvent', $event); + + $service2 = $this->getMock('Symfony\Component\EventDispatcher\Tests\Service'); + + $service2 + ->expects($this->once()) + ->method('onEvent') + ->with($event) + ; + + $container->enterScope('scope'); + $container->set('service.listener', $service2, 'scope'); + + $dispatcher->dispatch('onEvent', $event); + + $container->leaveScope('scope'); + + $dispatcher->dispatch('onEvent'); + } + + public function testHasListenersOnLazyLoad() + { + $event = new Event(); + + $service = $this->getMock('Symfony\Component\EventDispatcher\Tests\Service'); + + $container = new Container(); + $container->set('service.listener', $service); + + $dispatcher = new ContainerAwareEventDispatcher($container); + $dispatcher->addListenerService('onEvent', array('service.listener', 'onEvent')); + + $event->setDispatcher($dispatcher); + $event->setName('onEvent'); + + $service + ->expects($this->once()) + ->method('onEvent') + ->with($event) + ; + + $this->assertTrue($dispatcher->hasListeners()); + + if ($dispatcher->hasListeners('onEvent')) { + $dispatcher->dispatch('onEvent'); + } + } + + public function testGetListenersOnLazyLoad() + { + $event = new Event(); + + $service = $this->getMock('Symfony\Component\EventDispatcher\Tests\Service'); + + $container = new Container(); + $container->set('service.listener', $service); + + $dispatcher = new ContainerAwareEventDispatcher($container); + $dispatcher->addListenerService('onEvent', array('service.listener', 'onEvent')); + + $listeners = $dispatcher->getListeners(); + + $this->assertTrue(isset($listeners['onEvent'])); + + $this->assertCount(1, $dispatcher->getListeners('onEvent')); + } + + public function testRemoveAfterDispatch() + { + $event = new Event(); + + $service = $this->getMock('Symfony\Component\EventDispatcher\Tests\Service'); + + $container = new Container(); + $container->set('service.listener', $service); + + $dispatcher = new ContainerAwareEventDispatcher($container); + $dispatcher->addListenerService('onEvent', array('service.listener', 'onEvent')); + + $dispatcher->dispatch('onEvent', new Event()); + $dispatcher->removeListener('onEvent', array($container->get('service.listener'), 'onEvent')); + $this->assertFalse($dispatcher->hasListeners('onEvent')); + } + + public function testRemoveBeforeDispatch() + { + $event = new Event(); + + $service = $this->getMock('Symfony\Component\EventDispatcher\Tests\Service'); + + $container = new Container(); + $container->set('service.listener', $service); + + $dispatcher = new ContainerAwareEventDispatcher($container); + $dispatcher->addListenerService('onEvent', array('service.listener', 'onEvent')); + + $dispatcher->removeListener('onEvent', array($container->get('service.listener'), 'onEvent')); + $this->assertFalse($dispatcher->hasListeners('onEvent')); + } +} + +class Service +{ + public function onEvent(Event $e) + { + } +} + +class SubscriberService implements EventSubscriberInterface +{ + public static function getSubscribedEvents() + { + return array( + 'onEvent' => 'onEvent', + 'onEvent' => array('onEvent', 10), + 'onEvent' => array('onEvent'), + ); + } + + public function onEvent(Event $e) + { + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Symfony/Component/EventDispatcher/Tests/EventDispatcherTest.php b/apps/files_external/3rdparty/aws-sdk-php/Symfony/Component/EventDispatcher/Tests/EventDispatcherTest.php new file mode 100644 index 0000000000..ad7e448454 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Symfony/Component/EventDispatcher/Tests/EventDispatcherTest.php @@ -0,0 +1,320 @@ + + * + * For the full copyright and license information, please view the LICENSE + * file that was distributed with this source code. + */ + +namespace Symfony\Component\EventDispatcher\Tests; + +use Symfony\Component\EventDispatcher\Event; +use Symfony\Component\EventDispatcher\EventDispatcher; +use Symfony\Component\EventDispatcher\EventSubscriberInterface; + +class EventDispatcherTest extends \PHPUnit_Framework_TestCase +{ + /* Some pseudo events */ + const preFoo = 'pre.foo'; + const postFoo = 'post.foo'; + const preBar = 'pre.bar'; + const postBar = 'post.bar'; + + private $dispatcher; + + private $listener; + + protected function setUp() + { + $this->dispatcher = new EventDispatcher(); + $this->listener = new TestEventListener(); + } + + protected function tearDown() + { + $this->dispatcher = null; + $this->listener = null; + } + + public function testInitialState() + { + $this->assertEquals(array(), $this->dispatcher->getListeners()); + $this->assertFalse($this->dispatcher->hasListeners(self::preFoo)); + $this->assertFalse($this->dispatcher->hasListeners(self::postFoo)); + } + + public function testAddListener() + { + $this->dispatcher->addListener('pre.foo', array($this->listener, 'preFoo')); + $this->dispatcher->addListener('post.foo', array($this->listener, 'postFoo')); + $this->assertTrue($this->dispatcher->hasListeners(self::preFoo)); + $this->assertTrue($this->dispatcher->hasListeners(self::postFoo)); + $this->assertCount(1, $this->dispatcher->getListeners(self::preFoo)); + $this->assertCount(1, $this->dispatcher->getListeners(self::postFoo)); + $this->assertCount(2, $this->dispatcher->getListeners()); + } + + public function testGetListenersSortsByPriority() + { + $listener1 = new TestEventListener(); + $listener2 = new TestEventListener(); + $listener3 = new TestEventListener(); + $listener1->name = '1'; + $listener2->name = '2'; + $listener3->name = '3'; + + $this->dispatcher->addListener('pre.foo', array($listener1, 'preFoo'), -10); + $this->dispatcher->addListener('pre.foo', array($listener2, 'preFoo'), 10); + $this->dispatcher->addListener('pre.foo', array($listener3, 'preFoo')); + + $expected = array( + array($listener2, 'preFoo'), + array($listener3, 'preFoo'), + array($listener1, 'preFoo'), + ); + + $this->assertSame($expected, $this->dispatcher->getListeners('pre.foo')); + } + + public function testGetAllListenersSortsByPriority() + { + $listener1 = new TestEventListener(); + $listener2 = new TestEventListener(); + $listener3 = new TestEventListener(); + $listener4 = new TestEventListener(); + $listener5 = new TestEventListener(); + $listener6 = new TestEventListener(); + + $this->dispatcher->addListener('pre.foo', $listener1, -10); + $this->dispatcher->addListener('pre.foo', $listener2); + $this->dispatcher->addListener('pre.foo', $listener3, 10); + $this->dispatcher->addListener('post.foo', $listener4, -10); + $this->dispatcher->addListener('post.foo', $listener5); + $this->dispatcher->addListener('post.foo', $listener6, 10); + + $expected = array( + 'pre.foo' => array($listener3, $listener2, $listener1), + 'post.foo' => array($listener6, $listener5, $listener4), + ); + + $this->assertSame($expected, $this->dispatcher->getListeners()); + } + + public function testDispatch() + { + $this->dispatcher->addListener('pre.foo', array($this->listener, 'preFoo')); + $this->dispatcher->addListener('post.foo', array($this->listener, 'postFoo')); + $this->dispatcher->dispatch(self::preFoo); + $this->assertTrue($this->listener->preFooInvoked); + $this->assertFalse($this->listener->postFooInvoked); + $this->assertInstanceOf('Symfony\Component\EventDispatcher\Event', $this->dispatcher->dispatch('noevent')); + $this->assertInstanceOf('Symfony\Component\EventDispatcher\Event', $this->dispatcher->dispatch(self::preFoo)); + $event = new Event(); + $return = $this->dispatcher->dispatch(self::preFoo, $event); + $this->assertEquals('pre.foo', $event->getName()); + $this->assertSame($event, $return); + } + + public function testDispatchForClosure() + { + $invoked = 0; + $listener = function () use (&$invoked) { + $invoked++; + }; + $this->dispatcher->addListener('pre.foo', $listener); + $this->dispatcher->addListener('post.foo', $listener); + $this->dispatcher->dispatch(self::preFoo); + $this->assertEquals(1, $invoked); + } + + public function testStopEventPropagation() + { + $otherListener = new TestEventListener(); + + // postFoo() stops the propagation, so only one listener should + // be executed + // Manually set priority to enforce $this->listener to be called first + $this->dispatcher->addListener('post.foo', array($this->listener, 'postFoo'), 10); + $this->dispatcher->addListener('post.foo', array($otherListener, 'preFoo')); + $this->dispatcher->dispatch(self::postFoo); + $this->assertTrue($this->listener->postFooInvoked); + $this->assertFalse($otherListener->postFooInvoked); + } + + public function testDispatchByPriority() + { + $invoked = array(); + $listener1 = function () use (&$invoked) { + $invoked[] = '1'; + }; + $listener2 = function () use (&$invoked) { + $invoked[] = '2'; + }; + $listener3 = function () use (&$invoked) { + $invoked[] = '3'; + }; + $this->dispatcher->addListener('pre.foo', $listener1, -10); + $this->dispatcher->addListener('pre.foo', $listener2); + $this->dispatcher->addListener('pre.foo', $listener3, 10); + $this->dispatcher->dispatch(self::preFoo); + $this->assertEquals(array('3', '2', '1'), $invoked); + } + + public function testRemoveListener() + { + $this->dispatcher->addListener('pre.bar', $this->listener); + $this->assertTrue($this->dispatcher->hasListeners(self::preBar)); + $this->dispatcher->removeListener('pre.bar', $this->listener); + $this->assertFalse($this->dispatcher->hasListeners(self::preBar)); + $this->dispatcher->removeListener('notExists', $this->listener); + } + + public function testAddSubscriber() + { + $eventSubscriber = new TestEventSubscriber(); + $this->dispatcher->addSubscriber($eventSubscriber); + $this->assertTrue($this->dispatcher->hasListeners(self::preFoo)); + $this->assertTrue($this->dispatcher->hasListeners(self::postFoo)); + } + + public function testAddSubscriberWithPriorities() + { + $eventSubscriber = new TestEventSubscriber(); + $this->dispatcher->addSubscriber($eventSubscriber); + + $eventSubscriber = new TestEventSubscriberWithPriorities(); + $this->dispatcher->addSubscriber($eventSubscriber); + + $listeners = $this->dispatcher->getListeners('pre.foo'); + $this->assertTrue($this->dispatcher->hasListeners(self::preFoo)); + $this->assertCount(2, $listeners); + $this->assertInstanceOf('Symfony\Component\EventDispatcher\Tests\TestEventSubscriberWithPriorities', $listeners[0][0]); + } + + public function testAddSubscriberWithMultipleListeners() + { + $eventSubscriber = new TestEventSubscriberWithMultipleListeners(); + $this->dispatcher->addSubscriber($eventSubscriber); + + $listeners = $this->dispatcher->getListeners('pre.foo'); + $this->assertTrue($this->dispatcher->hasListeners(self::preFoo)); + $this->assertCount(2, $listeners); + $this->assertEquals('preFoo2', $listeners[0][1]); + } + + public function testRemoveSubscriber() + { + $eventSubscriber = new TestEventSubscriber(); + $this->dispatcher->addSubscriber($eventSubscriber); + $this->assertTrue($this->dispatcher->hasListeners(self::preFoo)); + $this->assertTrue($this->dispatcher->hasListeners(self::postFoo)); + $this->dispatcher->removeSubscriber($eventSubscriber); + $this->assertFalse($this->dispatcher->hasListeners(self::preFoo)); + $this->assertFalse($this->dispatcher->hasListeners(self::postFoo)); + } + + public function testRemoveSubscriberWithPriorities() + { + $eventSubscriber = new TestEventSubscriberWithPriorities(); + $this->dispatcher->addSubscriber($eventSubscriber); + $this->assertTrue($this->dispatcher->hasListeners(self::preFoo)); + $this->dispatcher->removeSubscriber($eventSubscriber); + $this->assertFalse($this->dispatcher->hasListeners(self::preFoo)); + } + + public function testRemoveSubscriberWithMultipleListeners() + { + $eventSubscriber = new TestEventSubscriberWithMultipleListeners(); + $this->dispatcher->addSubscriber($eventSubscriber); + $this->assertTrue($this->dispatcher->hasListeners(self::preFoo)); + $this->assertCount(2, $this->dispatcher->getListeners(self::preFoo)); + $this->dispatcher->removeSubscriber($eventSubscriber); + $this->assertFalse($this->dispatcher->hasListeners(self::preFoo)); + } + + public function testEventReceivesTheDispatcherInstance() + { + $test = $this; + $this->dispatcher->addListener('test', function ($event) use (&$dispatcher) { + $dispatcher = $event->getDispatcher(); + }); + $this->dispatcher->dispatch('test'); + $this->assertSame($this->dispatcher, $dispatcher); + } + + /** + * @see https://bugs.php.net/bug.php?id=62976 + * + * This bug affects: + * - The PHP 5.3 branch for versions < 5.3.18 + * - The PHP 5.4 branch for versions < 5.4.8 + * - The PHP 5.5 branch is not affected + */ + public function testWorkaroundForPhpBug62976() + { + $dispatcher = new EventDispatcher(); + $dispatcher->addListener('bug.62976', new CallableClass()); + $dispatcher->removeListener('bug.62976', function() {}); + $this->assertTrue($dispatcher->hasListeners('bug.62976')); + } +} + +class CallableClass +{ + public function __invoke() + { + } +} + +class TestEventListener +{ + public $preFooInvoked = false; + public $postFooInvoked = false; + + /* Listener methods */ + + public function preFoo(Event $e) + { + $this->preFooInvoked = true; + } + + public function postFoo(Event $e) + { + $this->postFooInvoked = true; + + $e->stopPropagation(); + } +} + +class TestEventSubscriber implements EventSubscriberInterface +{ + public static function getSubscribedEvents() + { + return array('pre.foo' => 'preFoo', 'post.foo' => 'postFoo'); + } +} + +class TestEventSubscriberWithPriorities implements EventSubscriberInterface +{ + public static function getSubscribedEvents() + { + return array( + 'pre.foo' => array('preFoo', 10), + 'post.foo' => array('postFoo'), + ); + } +} + +class TestEventSubscriberWithMultipleListeners implements EventSubscriberInterface +{ + public static function getSubscribedEvents() + { + return array('pre.foo' => array( + array('preFoo1'), + array('preFoo2', 10) + )); + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Symfony/Component/EventDispatcher/Tests/EventTest.php b/apps/files_external/3rdparty/aws-sdk-php/Symfony/Component/EventDispatcher/Tests/EventTest.php new file mode 100644 index 0000000000..52aa9ad68a --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Symfony/Component/EventDispatcher/Tests/EventTest.php @@ -0,0 +1,84 @@ + + * + * For the full copyright and license information, please view the LICENSE + * file that was distributed with this source code. + */ + +namespace Symfony\Component\EventDispatcher\Tests; + +use Symfony\Component\EventDispatcher\Event; +use Symfony\Component\EventDispatcher\EventDispatcher; + +/** + * Test class for Event. + */ +class EventTest extends \PHPUnit_Framework_TestCase +{ + /** + * @var \Symfony\Component\EventDispatcher\Event + */ + protected $event; + + /** + * @var \Symfony\Component\EventDispatcher\EventDispatcher + */ + protected $dispatcher; + + /** + * Sets up the fixture, for example, opens a network connection. + * This method is called before a test is executed. + */ + protected function setUp() + { + $this->event = new Event; + $this->dispatcher = new EventDispatcher(); + } + + /** + * Tears down the fixture, for example, closes a network connection. + * This method is called after a test is executed. + */ + protected function tearDown() + { + $this->event = null; + $this->eventDispatcher = null; + } + + public function testIsPropagationStopped() + { + $this->assertFalse($this->event->isPropagationStopped()); + } + + public function testStopPropagationAndIsPropagationStopped() + { + $this->event->stopPropagation(); + $this->assertTrue($this->event->isPropagationStopped()); + } + + public function testSetDispatcher() + { + $this->event->setDispatcher($this->dispatcher); + $this->assertSame($this->dispatcher, $this->event->getDispatcher()); + } + + public function testGetDispatcher() + { + $this->assertNull($this->event->getDispatcher()); + } + + public function testGetName() + { + $this->assertNull($this->event->getName()); + } + + public function testSetName() + { + $this->event->setName('foo'); + $this->assertEquals('foo', $this->event->getName()); + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Symfony/Component/EventDispatcher/Tests/GenericEventTest.php b/apps/files_external/3rdparty/aws-sdk-php/Symfony/Component/EventDispatcher/Tests/GenericEventTest.php new file mode 100644 index 0000000000..8dd6f5b419 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Symfony/Component/EventDispatcher/Tests/GenericEventTest.php @@ -0,0 +1,140 @@ + + * + * For the full copyright and license information, please view the LICENSE + * file that was distributed with this source code. + */ + +namespace Symfony\Component\EventDispatcher\Tests; + +use Symfony\Component\EventDispatcher\GenericEvent; + +/** + * Test class for Event. + */ +class GenericEventTest extends \PHPUnit_Framework_TestCase +{ + + /** + * @var GenericEvent + */ + private $event; + + private $subject; + + /** + * Prepares the environment before running a test. + */ + protected function setUp() + { + parent::setUp(); + + $this->subject = new \StdClass(); + $this->event = new GenericEvent($this->subject, array('name' => 'Event'), 'foo'); + } + + /** + * Cleans up the environment after running a test. + */ + protected function tearDown() + { + $this->subject = null; + $this->event = null; + + parent::tearDown(); + } + + public function testConstruct() + { + $this->assertEquals($this->event, new GenericEvent($this->subject, array('name' => 'Event'))); + } + + /** + * Tests Event->getArgs() + */ + public function testGetArguments() + { + // test getting all + $this->assertSame(array('name' => 'Event'), $this->event->getArguments()); + } + + public function testSetArguments() + { + $result = $this->event->setArguments(array('foo' => 'bar')); + $this->assertAttributeSame(array('foo' => 'bar'), 'arguments', $this->event); + $this->assertSame($this->event, $result); + } + + public function testSetArgument() + { + $result = $this->event->setArgument('foo2', 'bar2'); + $this->assertAttributeSame(array('name' => 'Event', 'foo2' => 'bar2'), 'arguments', $this->event); + $this->assertEquals($this->event, $result); + } + + public function testGetArgument() + { + // test getting key + $this->assertEquals('Event', $this->event->getArgument('name')); + } + + /** + * @expectedException \InvalidArgumentException + */ + public function testGetArgException() + { + $this->event->getArgument('nameNotExist'); + } + + public function testOffsetGet() + { + // test getting key + $this->assertEquals('Event', $this->event['name']); + + // test getting invalid arg + $this->setExpectedException('InvalidArgumentException'); + $this->assertFalse($this->event['nameNotExist']); + } + + public function testOffsetSet() + { + $this->event['foo2'] = 'bar2'; + $this->assertAttributeSame(array('name' => 'Event', 'foo2' => 'bar2'), 'arguments', $this->event); + } + + public function testOffsetUnset() + { + unset($this->event['name']); + $this->assertAttributeSame(array(), 'arguments', $this->event); + } + + public function testOffsetIsset() + { + $this->assertTrue(isset($this->event['name'])); + $this->assertFalse(isset($this->event['nameNotExist'])); + } + + public function testHasArgument() + { + $this->assertTrue($this->event->hasArgument('name')); + $this->assertFalse($this->event->hasArgument('nameNotExist')); + } + + public function testGetSubject() + { + $this->assertSame($this->subject, $this->event->getSubject()); + } + + public function testHasIterator() + { + $data = array(); + foreach ($this->event as $key => $value) { + $data[$key] = $value; + } + $this->assertEquals(array('name' => 'Event'), $data); + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/Symfony/Component/EventDispatcher/Tests/ImmutableEventDispatcherTest.php b/apps/files_external/3rdparty/aws-sdk-php/Symfony/Component/EventDispatcher/Tests/ImmutableEventDispatcherTest.php new file mode 100644 index 0000000000..6402f89fa5 --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/Symfony/Component/EventDispatcher/Tests/ImmutableEventDispatcherTest.php @@ -0,0 +1,106 @@ + + * + * For the full copyright and license information, please view the LICENSE + * file that was distributed with this source code. + */ + +namespace Symfony\Component\EventDispatcher\Tests; + +use Symfony\Component\EventDispatcher\Event; +use Symfony\Component\EventDispatcher\ImmutableEventDispatcher; +use Symfony\Component\EventDispatcher\EventSubscriberInterface; + +/** + * @author Bernhard Schussek + */ +class ImmutableEventDispatcherTest extends \PHPUnit_Framework_TestCase +{ + /** + * @var \PHPUnit_Framework_MockObject_MockObject + */ + private $innerDispatcher; + + /** + * @var ImmutableEventDispatcher + */ + private $dispatcher; + + protected function setUp() + { + $this->innerDispatcher = $this->getMock('Symfony\Component\EventDispatcher\EventDispatcherInterface'); + $this->dispatcher = new ImmutableEventDispatcher($this->innerDispatcher); + } + + public function testDispatchDelegates() + { + $event = new Event(); + + $this->innerDispatcher->expects($this->once()) + ->method('dispatch') + ->with('event', $event) + ->will($this->returnValue('result')); + + $this->assertSame('result', $this->dispatcher->dispatch('event', $event)); + } + + public function testGetListenersDelegates() + { + $this->innerDispatcher->expects($this->once()) + ->method('getListeners') + ->with('event') + ->will($this->returnValue('result')); + + $this->assertSame('result', $this->dispatcher->getListeners('event')); + } + + public function testHasListenersDelegates() + { + $this->innerDispatcher->expects($this->once()) + ->method('hasListeners') + ->with('event') + ->will($this->returnValue('result')); + + $this->assertSame('result', $this->dispatcher->hasListeners('event')); + } + + /** + * @expectedException \BadMethodCallException + */ + public function testAddListenerDisallowed() + { + $this->dispatcher->addListener('event', function () { return 'foo'; }); + } + + /** + * @expectedException \BadMethodCallException + */ + public function testAddSubscriberDisallowed() + { + $subscriber = $this->getMock('Symfony\Component\EventDispatcher\EventSubscriberInterface'); + + $this->dispatcher->addSubscriber($subscriber); + } + + /** + * @expectedException \BadMethodCallException + */ + public function testRemoveListenerDisallowed() + { + $this->dispatcher->removeListener('event', function () { return 'foo'; }); + } + + /** + * @expectedException \BadMethodCallException + */ + public function testRemoveSubscriberDisallowed() + { + $subscriber = $this->getMock('Symfony\Component\EventDispatcher\EventSubscriberInterface'); + + $this->dispatcher->removeSubscriber($subscriber); + } +} diff --git a/apps/files_external/3rdparty/aws-sdk-php/aws-autoloader.php b/apps/files_external/3rdparty/aws-sdk-php/aws-autoloader.php new file mode 100644 index 0000000000..2b7d7acf5e --- /dev/null +++ b/apps/files_external/3rdparty/aws-sdk-php/aws-autoloader.php @@ -0,0 +1,35 @@ +registerNamespaces(array( + 'Aws' => AWS_FILE_PREFIX, + 'Guzzle' => AWS_FILE_PREFIX, + 'Symfony' => AWS_FILE_PREFIX, + 'Doctrine' => AWS_FILE_PREFIX, + 'Psr' => AWS_FILE_PREFIX, + 'Monolog' => AWS_FILE_PREFIX +)); + +$classLoader->register(); + +return $classLoader; diff --git a/apps/files_external/3rdparty/google-api-php-client/LICENSE b/apps/files_external/3rdparty/google-api-php-client/LICENSE new file mode 100644 index 0000000000..a148ba564b --- /dev/null +++ b/apps/files_external/3rdparty/google-api-php-client/LICENSE @@ -0,0 +1,203 @@ +Apache License +Version 2.0, January 2004 +http://www.apache.org/licenses/ + +TERMS AND CONDITIONS FOR USE, REPRODUCTION, AND DISTRIBUTION + +1. Definitions. + +"License" shall mean the terms and conditions for use, reproduction, +and distribution as defined by Sections 1 through 9 of this document. + +"Licensor" shall mean the copyright owner or entity authorized by +the copyright owner that is granting the License. + +"Legal Entity" shall mean the union of the acting entity and all +other entities that control, are controlled by, or are under common +control with that entity. For the purposes of this definition, +"control" means (i) the power, direct or indirect, to cause the +direction or management of such entity, whether by contract or +otherwise, or (ii) ownership of fifty percent (50%) or more of the +outstanding shares, or (iii) beneficial ownership of such entity. + +"You" (or "Your") shall mean an individual or Legal Entity +exercising permissions granted by this License. + +"Source" form shall mean the preferred form for making modifications, +including but not limited to software source code, documentation +source, and configuration files. + +"Object" form shall mean any form resulting from mechanical +transformation or translation of a Source form, including but +not limited to compiled object code, generated documentation, +and conversions to other media types. + +"Work" shall mean the work of authorship, whether in Source or +Object form, made available under the License, as indicated by a +copyright notice that is included in or attached to the work +(an example is provided in the Appendix below). + +"Derivative Works" shall mean any work, whether in Source or Object +form, that is based on (or derived from) the Work and for which the +editorial revisions, annotations, elaborations, or other modifications +represent, as a whole, an original work of authorship. For the purposes +of this License, Derivative Works shall not include works that remain +separable from, or merely link (or bind by name) to the interfaces of, +the Work and Derivative Works thereof. + +"Contribution" shall mean any work of authorship, including +the original version of the Work and any modifications or additions +to that Work or Derivative Works thereof, that is intentionally +submitted to Licensor for inclusion in the Work by the copyright owner +or by an individual or Legal Entity authorized to submit on behalf of +the copyright owner. For the purposes of this definition, "submitted" +means any form of electronic, verbal, or written communication sent +to the Licensor or its representatives, including but not limited to +communication on electronic mailing lists, source code control systems, +and issue tracking systems that are managed by, or on behalf of, the +Licensor for the purpose of discussing and improving the Work, but +excluding communication that is conspicuously marked or otherwise +designated in writing by the copyright owner as "Not a Contribution." + +"Contributor" shall mean Licensor and any individual or Legal Entity +on behalf of whom a Contribution has been received by Licensor and +subsequently incorporated within the Work. + +2. Grant of Copyright License. Subject to the terms and conditions of +this License, each Contributor hereby grants to You a perpetual, +worldwide, non-exclusive, no-charge, royalty-free, irrevocable +copyright license to reproduce, prepare Derivative Works of, +publicly display, publicly perform, sublicense, and distribute the +Work and such Derivative Works in Source or Object form. + +3. Grant of Patent License. Subject to the terms and conditions of +this License, each Contributor hereby grants to You a perpetual, +worldwide, non-exclusive, no-charge, royalty-free, irrevocable +(except as stated in this section) patent license to make, have made, +use, offer to sell, sell, import, and otherwise transfer the Work, +where such license applies only to those patent claims licensable +by such Contributor that are necessarily infringed by their +Contribution(s) alone or by combination of their Contribution(s) +with the Work to which such Contribution(s) was submitted. If You +institute patent litigation against any entity (including a +cross-claim or counterclaim in a lawsuit) alleging that the Work +or a Contribution incorporated within the Work constitutes direct +or contributory patent infringement, then any patent licenses +granted to You under this License for that Work shall terminate +as of the date such litigation is filed. + +4. Redistribution. You may reproduce and distribute copies of the +Work or Derivative Works thereof in any medium, with or without +modifications, and in Source or Object form, provided that You +meet the following conditions: + +(a) You must give any other recipients of the Work or +Derivative Works a copy of this License; and + +(b) You must cause any modified files to carry prominent notices +stating that You changed the files; and + +(c) You must retain, in the Source form of any Derivative Works +that You distribute, all copyright, patent, trademark, and +attribution notices from the Source form of the Work, +excluding those notices that do not pertain to any part of +the Derivative Works; and + +(d) If the Work includes a "NOTICE" text file as part of its +distribution, then any Derivative Works that You distribute must +include a readable copy of the attribution notices contained +within such NOTICE file, excluding those notices that do not +pertain to any part of the Derivative Works, in at least one +of the following places: within a NOTICE text file distributed +as part of the Derivative Works; within the Source form or +documentation, if provided along with the Derivative Works; or, +within a display generated by the Derivative Works, if and +wherever such third-party notices normally appear. The contents +of the NOTICE file are for informational purposes only and +do not modify the License. You may add Your own attribution +notices within Derivative Works that You distribute, alongside +or as an addendum to the NOTICE text from the Work, provided +that such additional attribution notices cannot be construed +as modifying the License. + +You may add Your own copyright statement to Your modifications and +may provide additional or different license terms and conditions +for use, reproduction, or distribution of Your modifications, or +for any such Derivative Works as a whole, provided Your use, +reproduction, and distribution of the Work otherwise complies with +the conditions stated in this License. + +5. Submission of Contributions. Unless You explicitly state otherwise, +any Contribution intentionally submitted for inclusion in the Work +by You to the Licensor shall be under the terms and conditions of +this License, without any additional terms or conditions. +Notwithstanding the above, nothing herein shall supersede or modify +the terms of any separate license agreement you may have executed +with Licensor regarding such Contributions. + +6. Trademarks. This License does not grant permission to use the trade +names, trademarks, service marks, or product names of the Licensor, +except as required for reasonable and customary use in describing the +origin of the Work and reproducing the content of the NOTICE file. + +7. Disclaimer of Warranty. Unless required by applicable law or +agreed to in writing, Licensor provides the Work (and each +Contributor provides its Contributions) on an "AS IS" BASIS, +WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or +implied, including, without limitation, any warranties or conditions +of TITLE, NON-INFRINGEMENT, MERCHANTABILITY, or FITNESS FOR A +PARTICULAR PURPOSE. You are solely responsible for determining the +appropriateness of using or redistributing the Work and assume any +risks associated with Your exercise of permissions under this License. + +8. Limitation of Liability. In no event and under no legal theory, +whether in tort (including negligence), contract, or otherwise, +unless required by applicable law (such as deliberate and grossly +negligent acts) or agreed to in writing, shall any Contributor be +liable to You for damages, including any direct, indirect, special, +incidental, or consequential damages of any character arising as a +result of this License or out of the use or inability to use the +Work (including but not limited to damages for loss of goodwill, +work stoppage, computer failure or malfunction, or any and all +other commercial damages or losses), even if such Contributor +has been advised of the possibility of such damages. + +9. Accepting Warranty or Additional Liability. While redistributing +the Work or Derivative Works thereof, You may choose to offer, +and charge a fee for, acceptance of support, warranty, indemnity, +or other liability obligations and/or rights consistent with this +License. However, in accepting such obligations, You may act only +on Your own behalf and on Your sole responsibility, not on behalf +of any other Contributor, and only if You agree to indemnify, +defend, and hold each Contributor harmless for any liability +incurred by, or claims asserted against, such Contributor by reason +of your accepting any such warranty or additional liability. + +END OF TERMS AND CONDITIONS + +APPENDIX: How to apply the Apache License to your work. + +To apply the Apache License to your work, attach the following +boilerplate notice, with the fields enclosed by brackets "[]" +replaced with your own identifying information. (Don't include +the brackets!) The text should be enclosed in the appropriate +comment syntax for the file format. We also recommend that a +file or class name and description of purpose be included on the +same "printed page" as the copyright notice for easier +identification within third-party archives. + +Copyright [yyyy] [name of copyright owner] + +Licensed under the Apache License, Version 2.0 (the "License"); +you may not use this file except in compliance with the License. +You may obtain a copy of the License at + +http://www.apache.org/licenses/LICENSE-2.0 + +Unless required by applicable law or agreed to in writing, software +distributed under the License is distributed on an "AS IS" BASIS, +WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +See the License for the specific language governing permissions and +limitations under the License. + + diff --git a/apps/files_external/3rdparty/google-api-php-client/NOTICE b/apps/files_external/3rdparty/google-api-php-client/NOTICE new file mode 100644 index 0000000000..22d7cb5986 --- /dev/null +++ b/apps/files_external/3rdparty/google-api-php-client/NOTICE @@ -0,0 +1,4 @@ +This product contains the following libraries: + +XRDS-Simple library from http://code.google.com/p/diso/ +Apache License 2.0 diff --git a/apps/files_external/3rdparty/google-api-php-client/README b/apps/files_external/3rdparty/google-api-php-client/README new file mode 100644 index 0000000000..42c42c0d5c --- /dev/null +++ b/apps/files_external/3rdparty/google-api-php-client/README @@ -0,0 +1,40 @@ +Google APIs Client Library for PHP +===================================== + +== Description +The Google API Client Library enables you to work with Google APIs such as Google+, Drive, Tasks, or Latitude on your server. + +Requirements: + PHP 5.2.x or higher [http://www.php.net/] + PHP Curl extension [http://www.php.net/manual/en/intro.curl.php] + PHP JSON extension [http://php.net/manual/en/book.json.php] + +Project page: + http://code.google.com/p/google-api-php-client + +OAuth 2 instructions: + http://code.google.com/p/google-api-php-client/wiki/OAuth2 + +Report a defect or feature request here: + http://code.google.com/p/google-api-php-client/issues/entry + +Subscribe to project updates in your feed reader: + http://code.google.com/feeds/p/google-api-php-client/updates/basic + +Supported sample applications: + http://code.google.com/p/google-api-php-client/wiki/Samples + +== Basic Example + 'free-ebooks'); + $results = $service->volumes->listVolumes('Henry David Thoreau', $optParams); + + foreach ($results['items'] as $item) { + print($item['volumeInfo']['title'] . '
'); + } diff --git a/apps/files_external/3rdparty/google-api-php-client/src/Google_Client.php b/apps/files_external/3rdparty/google-api-php-client/src/Google_Client.php new file mode 100644 index 0000000000..498d3a8e9d --- /dev/null +++ b/apps/files_external/3rdparty/google-api-php-client/src/Google_Client.php @@ -0,0 +1,462 @@ + + * @author Chirag Shah + */ +class Google_Client { + /** + * @static + * @var Google_Auth $auth + */ + static $auth; + + /** + * @static + * @var Google_IO $io + */ + static $io; + + /** + * @static + * @var Google_Cache $cache + */ + static $cache; + + /** + * @static + * @var boolean $useBatch + */ + static $useBatch = false; + + /** @var array $scopes */ + protected $scopes = array(); + + /** @var bool $useObjects */ + protected $useObjects = false; + + // definitions of services that are discovered. + protected $services = array(); + + // Used to track authenticated state, can't discover services after doing authenticate() + private $authenticated = false; + + public function __construct($config = array()) { + global $apiConfig; + $apiConfig = array_merge($apiConfig, $config); + self::$cache = new $apiConfig['cacheClass'](); + self::$auth = new $apiConfig['authClass'](); + self::$io = new $apiConfig['ioClass'](); + } + + /** + * Add a service + */ + public function addService($service, $version = false) { + global $apiConfig; + if ($this->authenticated) { + throw new Google_Exception('Cant add services after having authenticated'); + } + $this->services[$service] = array(); + if (isset($apiConfig['services'][$service])) { + // Merge the service descriptor with the default values + $this->services[$service] = array_merge($this->services[$service], $apiConfig['services'][$service]); + } + } + + public function authenticate($code = null) { + $service = $this->prepareService(); + $this->authenticated = true; + return self::$auth->authenticate($service, $code); + } + + /** + * @return array + * @visible For Testing + */ + public function prepareService() { + $service = array(); + $scopes = array(); + if ($this->scopes) { + $scopes = $this->scopes; + } else { + foreach ($this->services as $key => $val) { + if (isset($val['scope'])) { + if (is_array($val['scope'])) { + $scopes = array_merge($val['scope'], $scopes); + } else { + $scopes[] = $val['scope']; + } + } else { + $scopes[] = 'https://www.googleapis.com/auth/' . $key; + } + unset($val['discoveryURI']); + unset($val['scope']); + $service = array_merge($service, $val); + } + } + $service['scope'] = implode(' ', $scopes); + return $service; + } + + /** + * Set the OAuth 2.0 access token using the string that resulted from calling authenticate() + * or Google_Client#getAccessToken(). + * @param string $accessToken JSON encoded string containing in the following format: + * {"access_token":"TOKEN", "refresh_token":"TOKEN", "token_type":"Bearer", + * "expires_in":3600, "id_token":"TOKEN", "created":1320790426} + */ + public function setAccessToken($accessToken) { + if ($accessToken == null || 'null' == $accessToken) { + $accessToken = null; + } + self::$auth->setAccessToken($accessToken); + } + + /** + * Set the type of Auth class the client should use. + * @param string $authClassName + */ + public function setAuthClass($authClassName) { + self::$auth = new $authClassName(); + } + + /** + * Construct the OAuth 2.0 authorization request URI. + * @return string + */ + public function createAuthUrl() { + $service = $this->prepareService(); + return self::$auth->createAuthUrl($service['scope']); + } + + /** + * Get the OAuth 2.0 access token. + * @return string $accessToken JSON encoded string in the following format: + * {"access_token":"TOKEN", "refresh_token":"TOKEN", "token_type":"Bearer", + * "expires_in":3600,"id_token":"TOKEN", "created":1320790426} + */ + public function getAccessToken() { + $token = self::$auth->getAccessToken(); + return (null == $token || 'null' == $token) ? null : $token; + } + + /** + * Returns if the access_token is expired. + * @return bool Returns True if the access_token is expired. + */ + public function isAccessTokenExpired() { + return self::$auth->isAccessTokenExpired(); + } + + /** + * Set the developer key to use, these are obtained through the API Console. + * @see http://code.google.com/apis/console-help/#generatingdevkeys + * @param string $developerKey + */ + public function setDeveloperKey($developerKey) { + self::$auth->setDeveloperKey($developerKey); + } + + /** + * Set OAuth 2.0 "state" parameter to achieve per-request customization. + * @see http://tools.ietf.org/html/draft-ietf-oauth-v2-22#section-3.1.2.2 + * @param string $state + */ + public function setState($state) { + self::$auth->setState($state); + } + + /** + * @param string $accessType Possible values for access_type include: + * {@code "offline"} to request offline access from the user. (This is the default value) + * {@code "online"} to request online access from the user. + */ + public function setAccessType($accessType) { + self::$auth->setAccessType($accessType); + } + + /** + * @param string $approvalPrompt Possible values for approval_prompt include: + * {@code "force"} to force the approval UI to appear. (This is the default value) + * {@code "auto"} to request auto-approval when possible. + */ + public function setApprovalPrompt($approvalPrompt) { + self::$auth->setApprovalPrompt($approvalPrompt); + } + + /** + * Set the application name, this is included in the User-Agent HTTP header. + * @param string $applicationName + */ + public function setApplicationName($applicationName) { + global $apiConfig; + $apiConfig['application_name'] = $applicationName; + } + + /** + * Set the OAuth 2.0 Client ID. + * @param string $clientId + */ + public function setClientId($clientId) { + global $apiConfig; + $apiConfig['oauth2_client_id'] = $clientId; + self::$auth->clientId = $clientId; + } + + /** + * Get the OAuth 2.0 Client ID. + */ + public function getClientId() { + return self::$auth->clientId; + } + + /** + * Set the OAuth 2.0 Client Secret. + * @param string $clientSecret + */ + public function setClientSecret($clientSecret) { + global $apiConfig; + $apiConfig['oauth2_client_secret'] = $clientSecret; + self::$auth->clientSecret = $clientSecret; + } + + /** + * Get the OAuth 2.0 Client Secret. + */ + public function getClientSecret() { + return self::$auth->clientSecret; + } + + /** + * Set the OAuth 2.0 Redirect URI. + * @param string $redirectUri + */ + public function setRedirectUri($redirectUri) { + global $apiConfig; + $apiConfig['oauth2_redirect_uri'] = $redirectUri; + self::$auth->redirectUri = $redirectUri; + } + + /** + * Get the OAuth 2.0 Redirect URI. + */ + public function getRedirectUri() { + return self::$auth->redirectUri; + } + + /** + * Fetches a fresh OAuth 2.0 access token with the given refresh token. + * @param string $refreshToken + * @return void + */ + public function refreshToken($refreshToken) { + self::$auth->refreshToken($refreshToken); + } + + /** + * Revoke an OAuth2 access token or refresh token. This method will revoke the current access + * token, if a token isn't provided. + * @throws Google_AuthException + * @param string|null $token The token (access token or a refresh token) that should be revoked. + * @return boolean Returns True if the revocation was successful, otherwise False. + */ + public function revokeToken($token = null) { + self::$auth->revokeToken($token); + } + + /** + * Verify an id_token. This method will verify the current id_token, if one + * isn't provided. + * @throws Google_AuthException + * @param string|null $token The token (id_token) that should be verified. + * @return Google_LoginTicket Returns an apiLoginTicket if the verification was + * successful. + */ + public function verifyIdToken($token = null) { + return self::$auth->verifyIdToken($token); + } + + /** + * @param Google_AssertionCredentials $creds + * @return void + */ + public function setAssertionCredentials(Google_AssertionCredentials $creds) { + self::$auth->setAssertionCredentials($creds); + } + + /** + * This function allows you to overrule the automatically generated scopes, + * so that you can ask for more or less permission in the auth flow + * Set this before you call authenticate() though! + * @param array $scopes, ie: array('https://www.googleapis.com/auth/plus.me', 'https://www.googleapis.com/auth/moderator') + */ + public function setScopes($scopes) { + $this->scopes = is_string($scopes) ? explode(" ", $scopes) : $scopes; + } + + /** + * Returns the list of scopes set on the client + * @return array the list of scopes + * + */ + public function getScopes() { + return $this->scopes; + } + + /** + * Declare if objects should be returned by the api service classes. + * + * @param boolean $useObjects True if objects should be returned by the service classes. + * False if associative arrays should be returned (default behavior). + * @experimental + */ + public function setUseObjects($useObjects) { + global $apiConfig; + $apiConfig['use_objects'] = $useObjects; + } + + /** + * Declare if objects should be returned by the api service classes. + * + * @param boolean $useBatch True if the experimental batch support should + * be enabled. Defaults to False. + * @experimental + */ + public function setUseBatch($useBatch) { + self::$useBatch = $useBatch; + } + + /** + * @static + * @return Google_Auth the implementation of apiAuth. + */ + public static function getAuth() { + return Google_Client::$auth; + } + + /** + * @static + * @return Google_IO the implementation of apiIo. + */ + public static function getIo() { + return Google_Client::$io; + } + + /** + * @return Google_Cache the implementation of apiCache. + */ + public function getCache() { + return Google_Client::$cache; + } +} + +// Exceptions that the Google PHP API Library can throw +class Google_Exception extends Exception {} +class Google_AuthException extends Google_Exception {} +class Google_CacheException extends Google_Exception {} +class Google_IOException extends Google_Exception {} +class Google_ServiceException extends Google_Exception { + /** + * Optional list of errors returned in a JSON body of an HTTP error response. + */ + protected $errors = array(); + + /** + * Override default constructor to add ability to set $errors. + * + * @param string $message + * @param int $code + * @param Exception|null $previous + * @param [{string, string}] errors List of errors returned in an HTTP + * response. Defaults to []. + */ + public function __construct($message, $code = 0, Exception $previous = null, + $errors = array()) { + if(version_compare(PHP_VERSION, '5.3.0') >= 0) { + parent::__construct($message, $code, $previous); + } else { + parent::__construct($message, $code); + } + + $this->errors = $errors; + } + + /** + * An example of the possible errors returned. + * + * { + * "domain": "global", + * "reason": "authError", + * "message": "Invalid Credentials", + * "locationType": "header", + * "location": "Authorization", + * } + * + * @return [{string, string}] List of errors return in an HTTP response or []. + */ + public function getErrors() { + return $this->errors; + } +} diff --git a/apps/files_external/3rdparty/google-api-php-client/src/auth/Google_AssertionCredentials.php b/apps/files_external/3rdparty/google-api-php-client/src/auth/Google_AssertionCredentials.php new file mode 100644 index 0000000000..d9b4394ba3 --- /dev/null +++ b/apps/files_external/3rdparty/google-api-php-client/src/auth/Google_AssertionCredentials.php @@ -0,0 +1,104 @@ + + */ +class Google_AssertionCredentials { + const MAX_TOKEN_LIFETIME_SECS = 3600; + + public $serviceAccountName; + public $scopes; + public $privateKey; + public $privateKeyPassword; + public $assertionType; + public $sub; + /** + * @deprecated + * @link http://tools.ietf.org/html/draft-ietf-oauth-json-web-token-06 + */ + public $prn; + + /** + * @param $serviceAccountName + * @param $scopes array List of scopes + * @param $privateKey + * @param string $privateKeyPassword + * @param string $assertionType + * @param bool|string $sub The email address of the user for which the + * application is requesting delegated access. + * + */ + public function __construct( + $serviceAccountName, + $scopes, + $privateKey, + $privateKeyPassword = 'notasecret', + $assertionType = 'http://oauth.net/grant_type/jwt/1.0/bearer', + $sub = false) { + $this->serviceAccountName = $serviceAccountName; + $this->scopes = is_string($scopes) ? $scopes : implode(' ', $scopes); + $this->privateKey = $privateKey; + $this->privateKeyPassword = $privateKeyPassword; + $this->assertionType = $assertionType; + $this->sub = $sub; + $this->prn = $sub; + } + + public function generateAssertion() { + $now = time(); + + $jwtParams = array( + 'aud' => Google_OAuth2::OAUTH2_TOKEN_URI, + 'scope' => $this->scopes, + 'iat' => $now, + 'exp' => $now + self::MAX_TOKEN_LIFETIME_SECS, + 'iss' => $this->serviceAccountName, + ); + + if ($this->sub !== false) { + $jwtParams['sub'] = $this->sub; + } else if ($this->prn !== false) { + $jwtParams['prn'] = $this->prn; + } + + return $this->makeSignedJwt($jwtParams); + } + + /** + * Creates a signed JWT. + * @param array $payload + * @return string The signed JWT. + */ + private function makeSignedJwt($payload) { + $header = array('typ' => 'JWT', 'alg' => 'RS256'); + + $segments = array( + Google_Utils::urlSafeB64Encode(json_encode($header)), + Google_Utils::urlSafeB64Encode(json_encode($payload)) + ); + + $signingInput = implode('.', $segments); + $signer = new Google_P12Signer($this->privateKey, $this->privateKeyPassword); + $signature = $signer->sign($signingInput); + $segments[] = Google_Utils::urlSafeB64Encode($signature); + + return implode(".", $segments); + } +} diff --git a/apps/files_external/3rdparty/google-api-php-client/src/auth/Google_Auth.php b/apps/files_external/3rdparty/google-api-php-client/src/auth/Google_Auth.php new file mode 100644 index 0000000000..010782d4a6 --- /dev/null +++ b/apps/files_external/3rdparty/google-api-php-client/src/auth/Google_Auth.php @@ -0,0 +1,36 @@ + + * + */ +abstract class Google_Auth { + abstract public function authenticate($service); + abstract public function sign(Google_HttpRequest $request); + abstract public function createAuthUrl($scope); + + abstract public function getAccessToken(); + abstract public function setAccessToken($accessToken); + abstract public function setDeveloperKey($developerKey); + abstract public function refreshToken($refreshToken); + abstract public function revokeToken(); +} diff --git a/apps/files_external/3rdparty/google-api-php-client/src/auth/Google_AuthNone.php b/apps/files_external/3rdparty/google-api-php-client/src/auth/Google_AuthNone.php new file mode 100644 index 0000000000..6ca6bc2b0d --- /dev/null +++ b/apps/files_external/3rdparty/google-api-php-client/src/auth/Google_AuthNone.php @@ -0,0 +1,48 @@ + + * @author Chirag Shah + */ +class Google_AuthNone extends Google_Auth { + public $key = null; + + public function __construct() { + global $apiConfig; + if (!empty($apiConfig['developer_key'])) { + $this->setDeveloperKey($apiConfig['developer_key']); + } + } + + public function setDeveloperKey($key) {$this->key = $key;} + public function authenticate($service) {/*noop*/} + public function setAccessToken($accessToken) {/* noop*/} + public function getAccessToken() {return null;} + public function createAuthUrl($scope) {return null;} + public function refreshToken($refreshToken) {/* noop*/} + public function revokeToken() {/* noop*/} + + public function sign(Google_HttpRequest $request) { + if ($this->key) { + $request->setUrl($request->getUrl() . ((strpos($request->getUrl(), '?') === false) ? '?' : '&') + . 'key='.urlencode($this->key)); + } + return $request; + } +} diff --git a/apps/files_external/3rdparty/google-api-php-client/src/auth/Google_LoginTicket.php b/apps/files_external/3rdparty/google-api-php-client/src/auth/Google_LoginTicket.php new file mode 100644 index 0000000000..c0ce614232 --- /dev/null +++ b/apps/files_external/3rdparty/google-api-php-client/src/auth/Google_LoginTicket.php @@ -0,0 +1,63 @@ + + */ +class Google_LoginTicket { + const USER_ATTR = "id"; + + // Information from id token envelope. + private $envelope; + + // Information from id token payload. + private $payload; + + /** + * Creates a user based on the supplied token. + * + * @param string $envelope Header from a verified authentication token. + * @param string $payload Information from a verified authentication token. + */ + public function __construct($envelope, $payload) { + $this->envelope = $envelope; + $this->payload = $payload; + } + + /** + * Returns the numeric identifier for the user. + * @throws Google_AuthException + * @return + */ + public function getUserId() { + if (array_key_exists(self::USER_ATTR, $this->payload)) { + return $this->payload[self::USER_ATTR]; + } + throw new Google_AuthException("No user_id in token"); + } + + /** + * Returns attributes from the login ticket. This can contain + * various information about the user session. + * @return array + */ + public function getAttributes() { + return array("envelope" => $this->envelope, "payload" => $this->payload); + } +} diff --git a/apps/files_external/3rdparty/google-api-php-client/src/auth/Google_OAuth2.php b/apps/files_external/3rdparty/google-api-php-client/src/auth/Google_OAuth2.php new file mode 100644 index 0000000000..a07d4365a7 --- /dev/null +++ b/apps/files_external/3rdparty/google-api-php-client/src/auth/Google_OAuth2.php @@ -0,0 +1,445 @@ + + * @author Chirag Shah + * + */ +class Google_OAuth2 extends Google_Auth { + public $clientId; + public $clientSecret; + public $developerKey; + public $token; + public $redirectUri; + public $state; + public $accessType = 'offline'; + public $approvalPrompt = 'force'; + + /** @var Google_AssertionCredentials $assertionCredentials */ + public $assertionCredentials; + + const OAUTH2_REVOKE_URI = 'https://accounts.google.com/o/oauth2/revoke'; + const OAUTH2_TOKEN_URI = 'https://accounts.google.com/o/oauth2/token'; + const OAUTH2_AUTH_URL = 'https://accounts.google.com/o/oauth2/auth'; + const OAUTH2_FEDERATED_SIGNON_CERTS_URL = 'https://www.googleapis.com/oauth2/v1/certs'; + const CLOCK_SKEW_SECS = 300; // five minutes in seconds + const AUTH_TOKEN_LIFETIME_SECS = 300; // five minutes in seconds + const MAX_TOKEN_LIFETIME_SECS = 86400; // one day in seconds + + /** + * Instantiates the class, but does not initiate the login flow, leaving it + * to the discretion of the caller (which is done by calling authenticate()). + */ + public function __construct() { + global $apiConfig; + + if (! empty($apiConfig['developer_key'])) { + $this->developerKey = $apiConfig['developer_key']; + } + + if (! empty($apiConfig['oauth2_client_id'])) { + $this->clientId = $apiConfig['oauth2_client_id']; + } + + if (! empty($apiConfig['oauth2_client_secret'])) { + $this->clientSecret = $apiConfig['oauth2_client_secret']; + } + + if (! empty($apiConfig['oauth2_redirect_uri'])) { + $this->redirectUri = $apiConfig['oauth2_redirect_uri']; + } + + if (! empty($apiConfig['oauth2_access_type'])) { + $this->accessType = $apiConfig['oauth2_access_type']; + } + + if (! empty($apiConfig['oauth2_approval_prompt'])) { + $this->approvalPrompt = $apiConfig['oauth2_approval_prompt']; + } + + } + + /** + * @param $service + * @param string|null $code + * @throws Google_AuthException + * @return string + */ + public function authenticate($service, $code = null) { + if (!$code && isset($_GET['code'])) { + $code = $_GET['code']; + } + + if ($code) { + // We got here from the redirect from a successful authorization grant, fetch the access token + $request = Google_Client::$io->makeRequest(new Google_HttpRequest(self::OAUTH2_TOKEN_URI, 'POST', array(), array( + 'code' => $code, + 'grant_type' => 'authorization_code', + 'redirect_uri' => $this->redirectUri, + 'client_id' => $this->clientId, + 'client_secret' => $this->clientSecret + ))); + + if ($request->getResponseHttpCode() == 200) { + $this->setAccessToken($request->getResponseBody()); + $this->token['created'] = time(); + return $this->getAccessToken(); + } else { + $response = $request->getResponseBody(); + $decodedResponse = json_decode($response, true); + if ($decodedResponse != null && $decodedResponse['error']) { + $response = $decodedResponse['error']; + } + throw new Google_AuthException("Error fetching OAuth2 access token, message: '$response'", $request->getResponseHttpCode()); + } + } + + $authUrl = $this->createAuthUrl($service['scope']); + header('Location: ' . $authUrl); + return true; + } + + /** + * Create a URL to obtain user authorization. + * The authorization endpoint allows the user to first + * authenticate, and then grant/deny the access request. + * @param string $scope The scope is expressed as a list of space-delimited strings. + * @return string + */ + public function createAuthUrl($scope) { + $params = array( + 'response_type=code', + 'redirect_uri=' . urlencode($this->redirectUri), + 'client_id=' . urlencode($this->clientId), + 'scope=' . urlencode($scope), + 'access_type=' . urlencode($this->accessType), + 'approval_prompt=' . urlencode($this->approvalPrompt), + ); + + if (isset($this->state)) { + $params[] = 'state=' . urlencode($this->state); + } + $params = implode('&', $params); + return self::OAUTH2_AUTH_URL . "?$params"; + } + + /** + * @param string $token + * @throws Google_AuthException + */ + public function setAccessToken($token) { + $token = json_decode($token, true); + if ($token == null) { + throw new Google_AuthException('Could not json decode the token'); + } + if (! isset($token['access_token'])) { + throw new Google_AuthException("Invalid token format"); + } + $this->token = $token; + } + + public function getAccessToken() { + return json_encode($this->token); + } + + public function setDeveloperKey($developerKey) { + $this->developerKey = $developerKey; + } + + public function setState($state) { + $this->state = $state; + } + + public function setAccessType($accessType) { + $this->accessType = $accessType; + } + + public function setApprovalPrompt($approvalPrompt) { + $this->approvalPrompt = $approvalPrompt; + } + + public function setAssertionCredentials(Google_AssertionCredentials $creds) { + $this->assertionCredentials = $creds; + } + + /** + * Include an accessToken in a given apiHttpRequest. + * @param Google_HttpRequest $request + * @return Google_HttpRequest + * @throws Google_AuthException + */ + public function sign(Google_HttpRequest $request) { + // add the developer key to the request before signing it + if ($this->developerKey) { + $requestUrl = $request->getUrl(); + $requestUrl .= (strpos($request->getUrl(), '?') === false) ? '?' : '&'; + $requestUrl .= 'key=' . urlencode($this->developerKey); + $request->setUrl($requestUrl); + } + + // Cannot sign the request without an OAuth access token. + if (null == $this->token && null == $this->assertionCredentials) { + return $request; + } + + // Check if the token is set to expire in the next 30 seconds + // (or has already expired). + if ($this->isAccessTokenExpired()) { + if ($this->assertionCredentials) { + $this->refreshTokenWithAssertion(); + } else { + if (! array_key_exists('refresh_token', $this->token)) { + throw new Google_AuthException("The OAuth 2.0 access token has expired, " + . "and a refresh token is not available. Refresh tokens are not " + . "returned for responses that were auto-approved."); + } + $this->refreshToken($this->token['refresh_token']); + } + } + + // Add the OAuth2 header to the request + $request->setRequestHeaders( + array('Authorization' => 'Bearer ' . $this->token['access_token']) + ); + + return $request; + } + + /** + * Fetches a fresh access token with the given refresh token. + * @param string $refreshToken + * @return void + */ + public function refreshToken($refreshToken) { + $this->refreshTokenRequest(array( + 'client_id' => $this->clientId, + 'client_secret' => $this->clientSecret, + 'refresh_token' => $refreshToken, + 'grant_type' => 'refresh_token' + )); + } + + /** + * Fetches a fresh access token with a given assertion token. + * @param Google_AssertionCredentials $assertionCredentials optional. + * @return void + */ + public function refreshTokenWithAssertion($assertionCredentials = null) { + if (!$assertionCredentials) { + $assertionCredentials = $this->assertionCredentials; + } + + $this->refreshTokenRequest(array( + 'grant_type' => 'assertion', + 'assertion_type' => $assertionCredentials->assertionType, + 'assertion' => $assertionCredentials->generateAssertion(), + )); + } + + private function refreshTokenRequest($params) { + $http = new Google_HttpRequest(self::OAUTH2_TOKEN_URI, 'POST', array(), $params); + $request = Google_Client::$io->makeRequest($http); + + $code = $request->getResponseHttpCode(); + $body = $request->getResponseBody(); + if (200 == $code) { + $token = json_decode($body, true); + if ($token == null) { + throw new Google_AuthException("Could not json decode the access token"); + } + + if (! isset($token['access_token']) || ! isset($token['expires_in'])) { + throw new Google_AuthException("Invalid token format"); + } + + $this->token['access_token'] = $token['access_token']; + $this->token['expires_in'] = $token['expires_in']; + $this->token['created'] = time(); + } else { + throw new Google_AuthException("Error refreshing the OAuth2 token, message: '$body'", $code); + } + } + + /** + * Revoke an OAuth2 access token or refresh token. This method will revoke the current access + * token, if a token isn't provided. + * @throws Google_AuthException + * @param string|null $token The token (access token or a refresh token) that should be revoked. + * @return boolean Returns True if the revocation was successful, otherwise False. + */ + public function revokeToken($token = null) { + if (!$token) { + $token = $this->token['access_token']; + } + $request = new Google_HttpRequest(self::OAUTH2_REVOKE_URI, 'POST', array(), "token=$token"); + $response = Google_Client::$io->makeRequest($request); + $code = $response->getResponseHttpCode(); + if ($code == 200) { + $this->token = null; + return true; + } + + return false; + } + + /** + * Returns if the access_token is expired. + * @return bool Returns True if the access_token is expired. + */ + public function isAccessTokenExpired() { + if (null == $this->token) { + return true; + } + + // If the token is set to expire in the next 30 seconds. + $expired = ($this->token['created'] + + ($this->token['expires_in'] - 30)) < time(); + + return $expired; + } + + // Gets federated sign-on certificates to use for verifying identity tokens. + // Returns certs as array structure, where keys are key ids, and values + // are PEM encoded certificates. + private function getFederatedSignOnCerts() { + // This relies on makeRequest caching certificate responses. + $request = Google_Client::$io->makeRequest(new Google_HttpRequest( + self::OAUTH2_FEDERATED_SIGNON_CERTS_URL)); + if ($request->getResponseHttpCode() == 200) { + $certs = json_decode($request->getResponseBody(), true); + if ($certs) { + return $certs; + } + } + throw new Google_AuthException( + "Failed to retrieve verification certificates: '" . + $request->getResponseBody() . "'.", + $request->getResponseHttpCode()); + } + + /** + * Verifies an id token and returns the authenticated apiLoginTicket. + * Throws an exception if the id token is not valid. + * The audience parameter can be used to control which id tokens are + * accepted. By default, the id token must have been issued to this OAuth2 client. + * + * @param $id_token + * @param $audience + * @return Google_LoginTicket + */ + public function verifyIdToken($id_token = null, $audience = null) { + if (!$id_token) { + $id_token = $this->token['id_token']; + } + + $certs = $this->getFederatedSignonCerts(); + if (!$audience) { + $audience = $this->clientId; + } + return $this->verifySignedJwtWithCerts($id_token, $certs, $audience); + } + + // Verifies the id token, returns the verified token contents. + // Visible for testing. + function verifySignedJwtWithCerts($jwt, $certs, $required_audience) { + $segments = explode(".", $jwt); + if (count($segments) != 3) { + throw new Google_AuthException("Wrong number of segments in token: $jwt"); + } + $signed = $segments[0] . "." . $segments[1]; + $signature = Google_Utils::urlSafeB64Decode($segments[2]); + + // Parse envelope. + $envelope = json_decode(Google_Utils::urlSafeB64Decode($segments[0]), true); + if (!$envelope) { + throw new Google_AuthException("Can't parse token envelope: " . $segments[0]); + } + + // Parse token + $json_body = Google_Utils::urlSafeB64Decode($segments[1]); + $payload = json_decode($json_body, true); + if (!$payload) { + throw new Google_AuthException("Can't parse token payload: " . $segments[1]); + } + + // Check signature + $verified = false; + foreach ($certs as $keyName => $pem) { + $public_key = new Google_PemVerifier($pem); + if ($public_key->verify($signed, $signature)) { + $verified = true; + break; + } + } + + if (!$verified) { + throw new Google_AuthException("Invalid token signature: $jwt"); + } + + // Check issued-at timestamp + $iat = 0; + if (array_key_exists("iat", $payload)) { + $iat = $payload["iat"]; + } + if (!$iat) { + throw new Google_AuthException("No issue time in token: $json_body"); + } + $earliest = $iat - self::CLOCK_SKEW_SECS; + + // Check expiration timestamp + $now = time(); + $exp = 0; + if (array_key_exists("exp", $payload)) { + $exp = $payload["exp"]; + } + if (!$exp) { + throw new Google_AuthException("No expiration time in token: $json_body"); + } + if ($exp >= $now + self::MAX_TOKEN_LIFETIME_SECS) { + throw new Google_AuthException( + "Expiration time too far in future: $json_body"); + } + + $latest = $exp + self::CLOCK_SKEW_SECS; + if ($now < $earliest) { + throw new Google_AuthException( + "Token used too early, $now < $earliest: $json_body"); + } + if ($now > $latest) { + throw new Google_AuthException( + "Token used too late, $now > $latest: $json_body"); + } + + // TODO(beaton): check issuer field? + + // Check audience + $aud = $payload["aud"]; + if ($aud != $required_audience) { + throw new Google_AuthException("Wrong recipient, $aud != $required_audience: $json_body"); + } + + // All good. + return new Google_LoginTicket($envelope, $payload); + } +} diff --git a/apps/files_external/3rdparty/google-api-php-client/src/auth/Google_P12Signer.php b/apps/files_external/3rdparty/google-api-php-client/src/auth/Google_P12Signer.php new file mode 100644 index 0000000000..1bed590991 --- /dev/null +++ b/apps/files_external/3rdparty/google-api-php-client/src/auth/Google_P12Signer.php @@ -0,0 +1,70 @@ + + */ +class Google_P12Signer extends Google_Signer { + // OpenSSL private key resource + private $privateKey; + + // Creates a new signer from a .p12 file. + function __construct($p12, $password) { + if (!function_exists('openssl_x509_read')) { + throw new Exception( + 'The Google PHP API library needs the openssl PHP extension'); + } + + // This throws on error + $certs = array(); + if (!openssl_pkcs12_read($p12, $certs, $password)) { + throw new Google_AuthException("Unable to parse the p12 file. " . + "Is this a .p12 file? Is the password correct? OpenSSL error: " . + openssl_error_string()); + } + // TODO(beaton): is this part of the contract for the openssl_pkcs12_read + // method? What happens if there are multiple private keys? Do we care? + if (!array_key_exists("pkey", $certs) || !$certs["pkey"]) { + throw new Google_AuthException("No private key found in p12 file."); + } + $this->privateKey = openssl_pkey_get_private($certs["pkey"]); + if (!$this->privateKey) { + throw new Google_AuthException("Unable to load private key in "); + } + } + + function __destruct() { + if ($this->privateKey) { + openssl_pkey_free($this->privateKey); + } + } + + function sign($data) { + if(version_compare(PHP_VERSION, '5.3.0') < 0) { + throw new Google_AuthException( + "PHP 5.3.0 or higher is required to use service accounts."); + } + if (!openssl_sign($data, $signature, $this->privateKey, "sha256")) { + throw new Google_AuthException("Unable to sign data"); + } + return $signature; + } +} diff --git a/apps/files_external/3rdparty/google-api-php-client/src/auth/Google_PemVerifier.php b/apps/files_external/3rdparty/google-api-php-client/src/auth/Google_PemVerifier.php new file mode 100644 index 0000000000..6c1c85fa20 --- /dev/null +++ b/apps/files_external/3rdparty/google-api-php-client/src/auth/Google_PemVerifier.php @@ -0,0 +1,66 @@ + + */ +class Google_PemVerifier extends Google_Verifier { + private $publicKey; + + /** + * Constructs a verifier from the supplied PEM-encoded certificate. + * + * $pem: a PEM encoded certificate (not a file). + * @param $pem + * @throws Google_AuthException + * @throws Google_Exception + */ + function __construct($pem) { + if (!function_exists('openssl_x509_read')) { + throw new Google_Exception('Google API PHP client needs the openssl PHP extension'); + } + $this->publicKey = openssl_x509_read($pem); + if (!$this->publicKey) { + throw new Google_AuthException("Unable to parse PEM: $pem"); + } + } + + function __destruct() { + if ($this->publicKey) { + openssl_x509_free($this->publicKey); + } + } + + /** + * Verifies the signature on data. + * + * Returns true if the signature is valid, false otherwise. + * @param $data + * @param $signature + * @throws Google_AuthException + * @return bool + */ + function verify($data, $signature) { + $status = openssl_verify($data, $signature, $this->publicKey, "sha256"); + if ($status === -1) { + throw new Google_AuthException('Signature verification error: ' . openssl_error_string()); + } + return $status === 1; + } +} diff --git a/apps/files_external/3rdparty/google-api-php-client/src/auth/Google_Signer.php b/apps/files_external/3rdparty/google-api-php-client/src/auth/Google_Signer.php new file mode 100644 index 0000000000..7892baac8d --- /dev/null +++ b/apps/files_external/3rdparty/google-api-php-client/src/auth/Google_Signer.php @@ -0,0 +1,30 @@ + + */ +abstract class Google_Signer { + /** + * Signs data, returns the signature as binary data. + */ + abstract public function sign($data); +} diff --git a/apps/files_external/3rdparty/google-api-php-client/src/auth/Google_Verifier.php b/apps/files_external/3rdparty/google-api-php-client/src/auth/Google_Verifier.php new file mode 100644 index 0000000000..2839a371df --- /dev/null +++ b/apps/files_external/3rdparty/google-api-php-client/src/auth/Google_Verifier.php @@ -0,0 +1,31 @@ + + */ +abstract class Google_Verifier { + /** + * Checks a signature, returns true if the signature is correct, + * false otherwise. + */ + abstract public function verify($data, $signature); +} diff --git a/apps/files_external/3rdparty/google-api-php-client/src/cache/Google_ApcCache.php b/apps/files_external/3rdparty/google-api-php-client/src/cache/Google_ApcCache.php new file mode 100644 index 0000000000..3523c98dcc --- /dev/null +++ b/apps/files_external/3rdparty/google-api-php-client/src/cache/Google_ApcCache.php @@ -0,0 +1,98 @@ + + */ +class googleApcCache extends Google_Cache { + + public function __construct() { + if (! function_exists('apc_add')) { + throw new Google_CacheException("Apc functions not available"); + } + } + + private function isLocked($key) { + if ((@apc_fetch($key . '.lock')) === false) { + return false; + } + return true; + } + + private function createLock($key) { + // the interesting thing is that this could fail if the lock was created in the meantime.. + // but we'll ignore that out of convenience + @apc_add($key . '.lock', '', 5); + } + + private function removeLock($key) { + // suppress all warnings, if some other process removed it that's ok too + @apc_delete($key . '.lock'); + } + + private function waitForLock($key) { + // 20 x 250 = 5 seconds + $tries = 20; + $cnt = 0; + do { + // 250 ms is a long time to sleep, but it does stop the server from burning all resources on polling locks.. + usleep(250); + $cnt ++; + } while ($cnt <= $tries && $this->isLocked($key)); + if ($this->isLocked($key)) { + // 5 seconds passed, assume the owning process died off and remove it + $this->removeLock($key); + } + } + + /** + * @inheritDoc + */ + public function get($key, $expiration = false) { + + if (($ret = @apc_fetch($key)) === false) { + return false; + } + if (!$expiration || (time() - $ret['time'] > $expiration)) { + $this->delete($key); + return false; + } + return unserialize($ret['data']); + } + + /** + * @inheritDoc + */ + public function set($key, $value) { + if (@apc_store($key, array('time' => time(), 'data' => serialize($value))) == false) { + throw new Google_CacheException("Couldn't store data"); + } + } + + /** + * @inheritDoc + * @param String $key + */ + public function delete($key) { + @apc_delete($key); + } +} diff --git a/apps/files_external/3rdparty/google-api-php-client/src/cache/Google_Cache.php b/apps/files_external/3rdparty/google-api-php-client/src/cache/Google_Cache.php new file mode 100644 index 0000000000..809c55e2b1 --- /dev/null +++ b/apps/files_external/3rdparty/google-api-php-client/src/cache/Google_Cache.php @@ -0,0 +1,55 @@ + + */ +abstract class Google_Cache { + + /** + * Retrieves the data for the given key, or false if they + * key is unknown or expired + * + * @param String $key The key who's data to retrieve + * @param boolean|int $expiration Expiration time in seconds + * + */ + abstract function get($key, $expiration = false); + + /** + * Store the key => $value set. The $value is serialized + * by this function so can be of any type + * + * @param string $key Key of the data + * @param string $value data + */ + abstract function set($key, $value); + + /** + * Removes the key/data pair for the given $key + * + * @param String $key + */ + abstract function delete($key); +} + + diff --git a/apps/files_external/3rdparty/google-api-php-client/src/cache/Google_FileCache.php b/apps/files_external/3rdparty/google-api-php-client/src/cache/Google_FileCache.php new file mode 100644 index 0000000000..1e32859a48 --- /dev/null +++ b/apps/files_external/3rdparty/google-api-php-client/src/cache/Google_FileCache.php @@ -0,0 +1,137 @@ + + */ +class Google_FileCache extends Google_Cache { + private $path; + + public function __construct() { + global $apiConfig; + $this->path = $apiConfig['ioFileCache_directory']; + } + + private function isLocked($storageFile) { + // our lock file convention is simple: /the/file/path.lock + return file_exists($storageFile . '.lock'); + } + + private function createLock($storageFile) { + $storageDir = dirname($storageFile); + if (! is_dir($storageDir)) { + // @codeCoverageIgnoreStart + if (! @mkdir($storageDir, 0755, true)) { + // make sure the failure isn't because of a concurrency issue + if (! is_dir($storageDir)) { + throw new Google_CacheException("Could not create storage directory: $storageDir"); + } + } + // @codeCoverageIgnoreEnd + } + @touch($storageFile . '.lock'); + } + + private function removeLock($storageFile) { + // suppress all warnings, if some other process removed it that's ok too + @unlink($storageFile . '.lock'); + } + + private function waitForLock($storageFile) { + // 20 x 250 = 5 seconds + $tries = 20; + $cnt = 0; + do { + // make sure PHP picks up on file changes. This is an expensive action but really can't be avoided + clearstatcache(); + // 250 ms is a long time to sleep, but it does stop the server from burning all resources on polling locks.. + usleep(250); + $cnt ++; + } while ($cnt <= $tries && $this->isLocked($storageFile)); + if ($this->isLocked($storageFile)) { + // 5 seconds passed, assume the owning process died off and remove it + $this->removeLock($storageFile); + } + } + + private function getCacheDir($hash) { + // use the first 2 characters of the hash as a directory prefix + // this should prevent slowdowns due to huge directory listings + // and thus give some basic amount of scalability + return $this->path . '/' . substr($hash, 0, 2); + } + + private function getCacheFile($hash) { + return $this->getCacheDir($hash) . '/' . $hash; + } + + public function get($key, $expiration = false) { + $storageFile = $this->getCacheFile(md5($key)); + // See if this storage file is locked, if so we wait up to 5 seconds for the lock owning process to + // complete it's work. If the lock is not released within that time frame, it's cleaned up. + // This should give us a fair amount of 'Cache Stampeding' protection + if ($this->isLocked($storageFile)) { + $this->waitForLock($storageFile); + } + if (file_exists($storageFile) && is_readable($storageFile)) { + $now = time(); + if (! $expiration || (($mtime = @filemtime($storageFile)) !== false && ($now - $mtime) < $expiration)) { + if (($data = @file_get_contents($storageFile)) !== false) { + $data = unserialize($data); + return $data; + } + } + } + return false; + } + + public function set($key, $value) { + $storageDir = $this->getCacheDir(md5($key)); + $storageFile = $this->getCacheFile(md5($key)); + if ($this->isLocked($storageFile)) { + // some other process is writing to this file too, wait until it's done to prevent hiccups + $this->waitForLock($storageFile); + } + if (! is_dir($storageDir)) { + if (! @mkdir($storageDir, 0755, true)) { + throw new Google_CacheException("Could not create storage directory: $storageDir"); + } + } + // we serialize the whole request object, since we don't only want the + // responseContent but also the postBody used, headers, size, etc + $data = serialize($value); + $this->createLock($storageFile); + if (! @file_put_contents($storageFile, $data)) { + $this->removeLock($storageFile); + throw new Google_CacheException("Could not store data in the file"); + } + $this->removeLock($storageFile); + } + + public function delete($key) { + $file = $this->getCacheFile(md5($key)); + if (! @unlink($file)) { + throw new Google_CacheException("Cache file could not be deleted"); + } + } +} diff --git a/apps/files_external/3rdparty/google-api-php-client/src/cache/Google_MemcacheCache.php b/apps/files_external/3rdparty/google-api-php-client/src/cache/Google_MemcacheCache.php new file mode 100644 index 0000000000..22493f8b1e --- /dev/null +++ b/apps/files_external/3rdparty/google-api-php-client/src/cache/Google_MemcacheCache.php @@ -0,0 +1,130 @@ + + */ +class Google_MemcacheCache extends Google_Cache { + private $connection = false; + + public function __construct() { + global $apiConfig; + if (! function_exists('memcache_connect')) { + throw new Google_CacheException("Memcache functions not available"); + } + $this->host = $apiConfig['ioMemCacheCache_host']; + $this->port = $apiConfig['ioMemCacheCache_port']; + if (empty($this->host) || empty($this->port)) { + throw new Google_CacheException("You need to supply a valid memcache host and port"); + } + } + + private function isLocked($key) { + $this->check(); + if ((@memcache_get($this->connection, $key . '.lock')) === false) { + return false; + } + return true; + } + + private function createLock($key) { + $this->check(); + // the interesting thing is that this could fail if the lock was created in the meantime.. + // but we'll ignore that out of convenience + @memcache_add($this->connection, $key . '.lock', '', 0, 5); + } + + private function removeLock($key) { + $this->check(); + // suppress all warnings, if some other process removed it that's ok too + @memcache_delete($this->connection, $key . '.lock'); + } + + private function waitForLock($key) { + $this->check(); + // 20 x 250 = 5 seconds + $tries = 20; + $cnt = 0; + do { + // 250 ms is a long time to sleep, but it does stop the server from burning all resources on polling locks.. + usleep(250); + $cnt ++; + } while ($cnt <= $tries && $this->isLocked($key)); + if ($this->isLocked($key)) { + // 5 seconds passed, assume the owning process died off and remove it + $this->removeLock($key); + } + } + + // I prefer lazy initialization since the cache isn't used every request + // so this potentially saves a lot of overhead + private function connect() { + if (! $this->connection = @memcache_pconnect($this->host, $this->port)) { + throw new Google_CacheException("Couldn't connect to memcache server"); + } + } + + private function check() { + if (! $this->connection) { + $this->connect(); + } + } + + /** + * @inheritDoc + */ + public function get($key, $expiration = false) { + $this->check(); + if (($ret = @memcache_get($this->connection, $key)) === false) { + return false; + } + if (! $expiration || (time() - $ret['time'] > $expiration)) { + $this->delete($key); + return false; + } + return $ret['data']; + } + + /** + * @inheritDoc + * @param string $key + * @param string $value + * @throws Google_CacheException + */ + public function set($key, $value) { + $this->check(); + // we store it with the cache_time default expiration so objects will at least get cleaned eventually. + if (@memcache_set($this->connection, $key, array('time' => time(), + 'data' => $value), false) == false) { + throw new Google_CacheException("Couldn't store data in cache"); + } + } + + /** + * @inheritDoc + * @param String $key + */ + public function delete($key) { + $this->check(); + @memcache_delete($this->connection, $key); + } +} diff --git a/apps/files_external/3rdparty/google-api-php-client/src/config.php b/apps/files_external/3rdparty/google-api-php-client/src/config.php new file mode 100644 index 0000000000..e3a57138d0 --- /dev/null +++ b/apps/files_external/3rdparty/google-api-php-client/src/config.php @@ -0,0 +1,81 @@ + false, + + // The application_name is included in the User-Agent HTTP header. + 'application_name' => '', + + // OAuth2 Settings, you can get these keys at https://code.google.com/apis/console + 'oauth2_client_id' => '', + 'oauth2_client_secret' => '', + 'oauth2_redirect_uri' => '', + + // The developer key, you get this at https://code.google.com/apis/console + 'developer_key' => '', + + // Site name to show in the Google's OAuth 1 authentication screen. + 'site_name' => 'www.example.org', + + // Which Authentication, Storage and HTTP IO classes to use. + 'authClass' => 'Google_OAuth2', + 'ioClass' => 'Google_CurlIO', + 'cacheClass' => 'Google_FileCache', + + // Don't change these unless you're working against a special development or testing environment. + 'basePath' => 'https://www.googleapis.com', + + // IO Class dependent configuration, you only have to configure the values + // for the class that was configured as the ioClass above + 'ioFileCache_directory' => + (function_exists('sys_get_temp_dir') ? + sys_get_temp_dir() . '/Google_Client' : + '/tmp/Google_Client'), + + // Definition of service specific values like scopes, oauth token URLs, etc + 'services' => array( + 'analytics' => array('scope' => 'https://www.googleapis.com/auth/analytics.readonly'), + 'calendar' => array( + 'scope' => array( + "https://www.googleapis.com/auth/calendar", + "https://www.googleapis.com/auth/calendar.readonly", + ) + ), + 'books' => array('scope' => 'https://www.googleapis.com/auth/books'), + 'latitude' => array( + 'scope' => array( + 'https://www.googleapis.com/auth/latitude.all.best', + 'https://www.googleapis.com/auth/latitude.all.city', + ) + ), + 'moderator' => array('scope' => 'https://www.googleapis.com/auth/moderator'), + 'oauth2' => array( + 'scope' => array( + 'https://www.googleapis.com/auth/userinfo.profile', + 'https://www.googleapis.com/auth/userinfo.email', + ) + ), + 'plus' => array('scope' => 'https://www.googleapis.com/auth/plus.login'), + 'siteVerification' => array('scope' => 'https://www.googleapis.com/auth/siteverification'), + 'tasks' => array('scope' => 'https://www.googleapis.com/auth/tasks'), + 'urlshortener' => array('scope' => 'https://www.googleapis.com/auth/urlshortener') + ) +); diff --git a/apps/files_external/3rdparty/google-api-php-client/src/contrib/Google_DriveService.php b/apps/files_external/3rdparty/google-api-php-client/src/contrib/Google_DriveService.php new file mode 100644 index 0000000000..896e8b9382 --- /dev/null +++ b/apps/files_external/3rdparty/google-api-php-client/src/contrib/Google_DriveService.php @@ -0,0 +1,3143 @@ + + * $driveService = new Google_DriveService(...); + * $about = $driveService->about; + * + */ + class Google_AboutServiceResource extends Google_ServiceResource { + + + /** + * Gets the information about the current user along with Drive API settings (about.get) + * + * @param array $optParams Optional parameters. + * + * @opt_param bool includeSubscribed When calculating the number of remaining change IDs, whether to include shared files and public files the user has opened. When set to false, this counts only change IDs for owned files and any shared or public files that the user has explictly added to a folder in Drive. + * @opt_param string maxChangeIdCount Maximum number of remaining change IDs to count + * @opt_param string startChangeId Change ID to start counting from when calculating number of remaining change IDs + * @return Google_About + */ + public function get($optParams = array()) { + $params = array(); + $params = array_merge($params, $optParams); + $data = $this->__call('get', array($params)); + if ($this->useObjects()) { + return new Google_About($data); + } else { + return $data; + } + } + } + + /** + * The "apps" collection of methods. + * Typical usage is: + * + * $driveService = new Google_DriveService(...); + * $apps = $driveService->apps; + * + */ + class Google_AppsServiceResource extends Google_ServiceResource { + + + /** + * Gets a specific app. (apps.get) + * + * @param string $appId The ID of the app. + * @param array $optParams Optional parameters. + * @return Google_App + */ + public function get($appId, $optParams = array()) { + $params = array('appId' => $appId); + $params = array_merge($params, $optParams); + $data = $this->__call('get', array($params)); + if ($this->useObjects()) { + return new Google_App($data); + } else { + return $data; + } + } + /** + * Lists a user's installed apps. (apps.list) + * + * @param array $optParams Optional parameters. + * @return Google_AppList + */ + public function listApps($optParams = array()) { + $params = array(); + $params = array_merge($params, $optParams); + $data = $this->__call('list', array($params)); + if ($this->useObjects()) { + return new Google_AppList($data); + } else { + return $data; + } + } + } + + /** + * The "changes" collection of methods. + * Typical usage is: + * + * $driveService = new Google_DriveService(...); + * $changes = $driveService->changes; + * + */ + class Google_ChangesServiceResource extends Google_ServiceResource { + + + /** + * Gets a specific change. (changes.get) + * + * @param string $changeId The ID of the change. + * @param array $optParams Optional parameters. + * @return Google_Change + */ + public function get($changeId, $optParams = array()) { + $params = array('changeId' => $changeId); + $params = array_merge($params, $optParams); + $data = $this->__call('get', array($params)); + if ($this->useObjects()) { + return new Google_Change($data); + } else { + return $data; + } + } + /** + * Lists the changes for a user. (changes.list) + * + * @param array $optParams Optional parameters. + * + * @opt_param bool includeDeleted Whether to include deleted items. + * @opt_param bool includeSubscribed Whether to include shared files and public files the user has opened. When set to false, the list will include owned files plus any shared or public files the user has explictly added to a folder in Drive. + * @opt_param int maxResults Maximum number of changes to return. + * @opt_param string pageToken Page token for changes. + * @opt_param string startChangeId Change ID to start listing changes from. + * @return Google_ChangeList + */ + public function listChanges($optParams = array()) { + $params = array(); + $params = array_merge($params, $optParams); + $data = $this->__call('list', array($params)); + if ($this->useObjects()) { + return new Google_ChangeList($data); + } else { + return $data; + } + } + } + + /** + * The "children" collection of methods. + * Typical usage is: + * + * $driveService = new Google_DriveService(...); + * $children = $driveService->children; + * + */ + class Google_ChildrenServiceResource extends Google_ServiceResource { + + + /** + * Removes a child from a folder. (children.delete) + * + * @param string $folderId The ID of the folder. + * @param string $childId The ID of the child. + * @param array $optParams Optional parameters. + */ + public function delete($folderId, $childId, $optParams = array()) { + $params = array('folderId' => $folderId, 'childId' => $childId); + $params = array_merge($params, $optParams); + $data = $this->__call('delete', array($params)); + return $data; + } + /** + * Gets a specific child reference. (children.get) + * + * @param string $folderId The ID of the folder. + * @param string $childId The ID of the child. + * @param array $optParams Optional parameters. + * @return Google_ChildReference + */ + public function get($folderId, $childId, $optParams = array()) { + $params = array('folderId' => $folderId, 'childId' => $childId); + $params = array_merge($params, $optParams); + $data = $this->__call('get', array($params)); + if ($this->useObjects()) { + return new Google_ChildReference($data); + } else { + return $data; + } + } + /** + * Inserts a file into a folder. (children.insert) + * + * @param string $folderId The ID of the folder. + * @param Google_ChildReference $postBody + * @param array $optParams Optional parameters. + * @return Google_ChildReference + */ + public function insert($folderId, Google_ChildReference $postBody, $optParams = array()) { + $params = array('folderId' => $folderId, 'postBody' => $postBody); + $params = array_merge($params, $optParams); + $data = $this->__call('insert', array($params)); + if ($this->useObjects()) { + return new Google_ChildReference($data); + } else { + return $data; + } + } + /** + * Lists a folder's children. (children.list) + * + * @param string $folderId The ID of the folder. + * @param array $optParams Optional parameters. + * + * @opt_param int maxResults Maximum number of children to return. + * @opt_param string pageToken Page token for children. + * @opt_param string q Query string for searching children. + * @return Google_ChildList + */ + public function listChildren($folderId, $optParams = array()) { + $params = array('folderId' => $folderId); + $params = array_merge($params, $optParams); + $data = $this->__call('list', array($params)); + if ($this->useObjects()) { + return new Google_ChildList($data); + } else { + return $data; + } + } + } + + /** + * The "comments" collection of methods. + * Typical usage is: + * + * $driveService = new Google_DriveService(...); + * $comments = $driveService->comments; + * + */ + class Google_CommentsServiceResource extends Google_ServiceResource { + + + /** + * Deletes a comment. (comments.delete) + * + * @param string $fileId The ID of the file. + * @param string $commentId The ID of the comment. + * @param array $optParams Optional parameters. + */ + public function delete($fileId, $commentId, $optParams = array()) { + $params = array('fileId' => $fileId, 'commentId' => $commentId); + $params = array_merge($params, $optParams); + $data = $this->__call('delete', array($params)); + return $data; + } + /** + * Gets a comment by ID. (comments.get) + * + * @param string $fileId The ID of the file. + * @param string $commentId The ID of the comment. + * @param array $optParams Optional parameters. + * + * @opt_param bool includeDeleted If set, this will succeed when retrieving a deleted comment, and will include any deleted replies. + * @return Google_Comment + */ + public function get($fileId, $commentId, $optParams = array()) { + $params = array('fileId' => $fileId, 'commentId' => $commentId); + $params = array_merge($params, $optParams); + $data = $this->__call('get', array($params)); + if ($this->useObjects()) { + return new Google_Comment($data); + } else { + return $data; + } + } + /** + * Creates a new comment on the given file. (comments.insert) + * + * @param string $fileId The ID of the file. + * @param Google_Comment $postBody + * @param array $optParams Optional parameters. + * @return Google_Comment + */ + public function insert($fileId, Google_Comment $postBody, $optParams = array()) { + $params = array('fileId' => $fileId, 'postBody' => $postBody); + $params = array_merge($params, $optParams); + $data = $this->__call('insert', array($params)); + if ($this->useObjects()) { + return new Google_Comment($data); + } else { + return $data; + } + } + /** + * Lists a file's comments. (comments.list) + * + * @param string $fileId The ID of the file. + * @param array $optParams Optional parameters. + * + * @opt_param bool includeDeleted If set, all comments and replies, including deleted comments and replies (with content stripped) will be returned. + * @opt_param int maxResults The maximum number of discussions to include in the response, used for paging. + * @opt_param string pageToken The continuation token, used to page through large result sets. To get the next page of results, set this parameter to the value of "nextPageToken" from the previous response. + * @opt_param string updatedMin Only discussions that were updated after this timestamp will be returned. Formatted as an RFC 3339 timestamp. + * @return Google_CommentList + */ + public function listComments($fileId, $optParams = array()) { + $params = array('fileId' => $fileId); + $params = array_merge($params, $optParams); + $data = $this->__call('list', array($params)); + if ($this->useObjects()) { + return new Google_CommentList($data); + } else { + return $data; + } + } + /** + * Updates an existing comment. This method supports patch semantics. (comments.patch) + * + * @param string $fileId The ID of the file. + * @param string $commentId The ID of the comment. + * @param Google_Comment $postBody + * @param array $optParams Optional parameters. + * @return Google_Comment + */ + public function patch($fileId, $commentId, Google_Comment $postBody, $optParams = array()) { + $params = array('fileId' => $fileId, 'commentId' => $commentId, 'postBody' => $postBody); + $params = array_merge($params, $optParams); + $data = $this->__call('patch', array($params)); + if ($this->useObjects()) { + return new Google_Comment($data); + } else { + return $data; + } + } + /** + * Updates an existing comment. (comments.update) + * + * @param string $fileId The ID of the file. + * @param string $commentId The ID of the comment. + * @param Google_Comment $postBody + * @param array $optParams Optional parameters. + * @return Google_Comment + */ + public function update($fileId, $commentId, Google_Comment $postBody, $optParams = array()) { + $params = array('fileId' => $fileId, 'commentId' => $commentId, 'postBody' => $postBody); + $params = array_merge($params, $optParams); + $data = $this->__call('update', array($params)); + if ($this->useObjects()) { + return new Google_Comment($data); + } else { + return $data; + } + } + } + + /** + * The "files" collection of methods. + * Typical usage is: + * + * $driveService = new Google_DriveService(...); + * $files = $driveService->files; + * + */ + class Google_FilesServiceResource extends Google_ServiceResource { + + + /** + * Creates a copy of the specified file. (files.copy) + * + * @param string $fileId The ID of the file to copy. + * @param Google_DriveFile $postBody + * @param array $optParams Optional parameters. + * + * @opt_param bool convert Whether to convert this file to the corresponding Google Docs format. + * @opt_param bool ocr Whether to attempt OCR on .jpg, .png, .gif, or .pdf uploads. + * @opt_param string ocrLanguage If ocr is true, hints at the language to use. Valid values are ISO 639-1 codes. + * @opt_param bool pinned Whether to pin the head revision of the new copy. + * @opt_param string timedTextLanguage The language of the timed text. + * @opt_param string timedTextTrackName The timed text track name. + * @return Google_DriveFile + */ + public function copy($fileId, Google_DriveFile $postBody, $optParams = array()) { + $params = array('fileId' => $fileId, 'postBody' => $postBody); + $params = array_merge($params, $optParams); + $data = $this->__call('copy', array($params)); + if ($this->useObjects()) { + return new Google_DriveFile($data); + } else { + return $data; + } + } + /** + * Permanently deletes a file by ID. Skips the trash. (files.delete) + * + * @param string $fileId The ID of the file to delete. + * @param array $optParams Optional parameters. + */ + public function delete($fileId, $optParams = array()) { + $params = array('fileId' => $fileId); + $params = array_merge($params, $optParams); + $data = $this->__call('delete', array($params)); + return $data; + } + /** + * Gets a file's metadata by ID. (files.get) + * + * @param string $fileId The ID for the file in question. + * @param array $optParams Optional parameters. + * + * @opt_param string projection This parameter is deprecated and has no function. + * @opt_param bool updateViewedDate Whether to update the view date after successfully retrieving the file. + * @return Google_DriveFile + */ + public function get($fileId, $optParams = array()) { + $params = array('fileId' => $fileId); + $params = array_merge($params, $optParams); + $data = $this->__call('get', array($params)); + if ($this->useObjects()) { + return new Google_DriveFile($data); + } else { + return $data; + } + } + /** + * Insert a new file. (files.insert) + * + * @param Google_DriveFile $postBody + * @param array $optParams Optional parameters. + * + * @opt_param bool convert Whether to convert this file to the corresponding Google Docs format. + * @opt_param bool ocr Whether to attempt OCR on .jpg, .png, .gif, or .pdf uploads. + * @opt_param string ocrLanguage If ocr is true, hints at the language to use. Valid values are ISO 639-1 codes. + * @opt_param bool pinned Whether to pin the head revision of the uploaded file. + * @opt_param string timedTextLanguage The language of the timed text. + * @opt_param string timedTextTrackName The timed text track name. + * @opt_param bool useContentAsIndexableText Whether to use the content as indexable text. + * @return Google_DriveFile + */ + public function insert(Google_DriveFile $postBody, $optParams = array()) { + $params = array('postBody' => $postBody); + $params = array_merge($params, $optParams); + $data = $this->__call('insert', array($params)); + if ($this->useObjects()) { + return new Google_DriveFile($data); + } else { + return $data; + } + } + /** + * Lists the user's files. (files.list) + * + * @param array $optParams Optional parameters. + * + * @opt_param int maxResults Maximum number of files to return. + * @opt_param string pageToken Page token for files. + * @opt_param string projection This parameter is deprecated and has no function. + * @opt_param string q Query string for searching files. + * @return Google_FileList + */ + public function listFiles($optParams = array()) { + $params = array(); + $params = array_merge($params, $optParams); + $data = $this->__call('list', array($params)); + if ($this->useObjects()) { + return new Google_FileList($data); + } else { + return $data; + } + } + /** + * Updates file metadata and/or content. This method supports patch semantics. (files.patch) + * + * @param string $fileId The ID of the file to update. + * @param Google_DriveFile $postBody + * @param array $optParams Optional parameters. + * + * @opt_param bool convert Whether to convert this file to the corresponding Google Docs format. + * @opt_param bool newRevision Whether a blob upload should create a new revision. If not set or false, the blob data in the current head revision is replaced. If true, a new blob is created as head revision, and previous revisions are preserved (causing increased use of the user's data storage quota). + * @opt_param bool ocr Whether to attempt OCR on .jpg, .png, .gif, or .pdf uploads. + * @opt_param string ocrLanguage If ocr is true, hints at the language to use. Valid values are ISO 639-1 codes. + * @opt_param bool pinned Whether to pin the new revision. + * @opt_param bool setModifiedDate Whether to set the modified date with the supplied modified date. + * @opt_param string timedTextLanguage The language of the timed text. + * @opt_param string timedTextTrackName The timed text track name. + * @opt_param bool updateViewedDate Whether to update the view date after successfully updating the file. + * @opt_param bool useContentAsIndexableText Whether to use the content as indexable text. + * @return Google_DriveFile + */ + public function patch($fileId, Google_DriveFile $postBody, $optParams = array()) { + $params = array('fileId' => $fileId, 'postBody' => $postBody); + $params = array_merge($params, $optParams); + $data = $this->__call('patch', array($params)); + if ($this->useObjects()) { + return new Google_DriveFile($data); + } else { + return $data; + } + } + /** + * Set the file's updated time to the current server time. (files.touch) + * + * @param string $fileId The ID of the file to update. + * @param array $optParams Optional parameters. + * @return Google_DriveFile + */ + public function touch($fileId, $optParams = array()) { + $params = array('fileId' => $fileId); + $params = array_merge($params, $optParams); + $data = $this->__call('touch', array($params)); + if ($this->useObjects()) { + return new Google_DriveFile($data); + } else { + return $data; + } + } + /** + * Moves a file to the trash. (files.trash) + * + * @param string $fileId The ID of the file to trash. + * @param array $optParams Optional parameters. + * @return Google_DriveFile + */ + public function trash($fileId, $optParams = array()) { + $params = array('fileId' => $fileId); + $params = array_merge($params, $optParams); + $data = $this->__call('trash', array($params)); + if ($this->useObjects()) { + return new Google_DriveFile($data); + } else { + return $data; + } + } + /** + * Restores a file from the trash. (files.untrash) + * + * @param string $fileId The ID of the file to untrash. + * @param array $optParams Optional parameters. + * @return Google_DriveFile + */ + public function untrash($fileId, $optParams = array()) { + $params = array('fileId' => $fileId); + $params = array_merge($params, $optParams); + $data = $this->__call('untrash', array($params)); + if ($this->useObjects()) { + return new Google_DriveFile($data); + } else { + return $data; + } + } + /** + * Updates file metadata and/or content. (files.update) + * + * @param string $fileId The ID of the file to update. + * @param Google_DriveFile $postBody + * @param array $optParams Optional parameters. + * + * @opt_param bool convert Whether to convert this file to the corresponding Google Docs format. + * @opt_param bool newRevision Whether a blob upload should create a new revision. If not set or false, the blob data in the current head revision is replaced. If true, a new blob is created as head revision, and previous revisions are preserved (causing increased use of the user's data storage quota). + * @opt_param bool ocr Whether to attempt OCR on .jpg, .png, .gif, or .pdf uploads. + * @opt_param string ocrLanguage If ocr is true, hints at the language to use. Valid values are ISO 639-1 codes. + * @opt_param bool pinned Whether to pin the new revision. + * @opt_param bool setModifiedDate Whether to set the modified date with the supplied modified date. + * @opt_param string timedTextLanguage The language of the timed text. + * @opt_param string timedTextTrackName The timed text track name. + * @opt_param bool updateViewedDate Whether to update the view date after successfully updating the file. + * @opt_param bool useContentAsIndexableText Whether to use the content as indexable text. + * @return Google_DriveFile + */ + public function update($fileId, Google_DriveFile $postBody, $optParams = array()) { + $params = array('fileId' => $fileId, 'postBody' => $postBody); + $params = array_merge($params, $optParams); + $data = $this->__call('update', array($params)); + if ($this->useObjects()) { + return new Google_DriveFile($data); + } else { + return $data; + } + } + } + + /** + * The "parents" collection of methods. + * Typical usage is: + * + * $driveService = new Google_DriveService(...); + * $parents = $driveService->parents; + * + */ + class Google_ParentsServiceResource extends Google_ServiceResource { + + + /** + * Removes a parent from a file. (parents.delete) + * + * @param string $fileId The ID of the file. + * @param string $parentId The ID of the parent. + * @param array $optParams Optional parameters. + */ + public function delete($fileId, $parentId, $optParams = array()) { + $params = array('fileId' => $fileId, 'parentId' => $parentId); + $params = array_merge($params, $optParams); + $data = $this->__call('delete', array($params)); + return $data; + } + /** + * Gets a specific parent reference. (parents.get) + * + * @param string $fileId The ID of the file. + * @param string $parentId The ID of the parent. + * @param array $optParams Optional parameters. + * @return Google_ParentReference + */ + public function get($fileId, $parentId, $optParams = array()) { + $params = array('fileId' => $fileId, 'parentId' => $parentId); + $params = array_merge($params, $optParams); + $data = $this->__call('get', array($params)); + if ($this->useObjects()) { + return new Google_ParentReference($data); + } else { + return $data; + } + } + /** + * Adds a parent folder for a file. (parents.insert) + * + * @param string $fileId The ID of the file. + * @param Google_ParentReference $postBody + * @param array $optParams Optional parameters. + * @return Google_ParentReference + */ + public function insert($fileId, Google_ParentReference $postBody, $optParams = array()) { + $params = array('fileId' => $fileId, 'postBody' => $postBody); + $params = array_merge($params, $optParams); + $data = $this->__call('insert', array($params)); + if ($this->useObjects()) { + return new Google_ParentReference($data); + } else { + return $data; + } + } + /** + * Lists a file's parents. (parents.list) + * + * @param string $fileId The ID of the file. + * @param array $optParams Optional parameters. + * @return Google_ParentList + */ + public function listParents($fileId, $optParams = array()) { + $params = array('fileId' => $fileId); + $params = array_merge($params, $optParams); + $data = $this->__call('list', array($params)); + if ($this->useObjects()) { + return new Google_ParentList($data); + } else { + return $data; + } + } + } + + /** + * The "permissions" collection of methods. + * Typical usage is: + * + * $driveService = new Google_DriveService(...); + * $permissions = $driveService->permissions; + * + */ + class Google_PermissionsServiceResource extends Google_ServiceResource { + + + /** + * Deletes a permission from a file. (permissions.delete) + * + * @param string $fileId The ID for the file. + * @param string $permissionId The ID for the permission. + * @param array $optParams Optional parameters. + */ + public function delete($fileId, $permissionId, $optParams = array()) { + $params = array('fileId' => $fileId, 'permissionId' => $permissionId); + $params = array_merge($params, $optParams); + $data = $this->__call('delete', array($params)); + return $data; + } + /** + * Gets a permission by ID. (permissions.get) + * + * @param string $fileId The ID for the file. + * @param string $permissionId The ID for the permission. + * @param array $optParams Optional parameters. + * @return Google_Permission + */ + public function get($fileId, $permissionId, $optParams = array()) { + $params = array('fileId' => $fileId, 'permissionId' => $permissionId); + $params = array_merge($params, $optParams); + $data = $this->__call('get', array($params)); + if ($this->useObjects()) { + return new Google_Permission($data); + } else { + return $data; + } + } + /** + * Inserts a permission for a file. (permissions.insert) + * + * @param string $fileId The ID for the file. + * @param Google_Permission $postBody + * @param array $optParams Optional parameters. + * + * @opt_param string emailMessage A custom message to include in notification emails. + * @opt_param bool sendNotificationEmails Whether to send notification emails when sharing to users or groups. + * @return Google_Permission + */ + public function insert($fileId, Google_Permission $postBody, $optParams = array()) { + $params = array('fileId' => $fileId, 'postBody' => $postBody); + $params = array_merge($params, $optParams); + $data = $this->__call('insert', array($params)); + if ($this->useObjects()) { + return new Google_Permission($data); + } else { + return $data; + } + } + /** + * Lists a file's permissions. (permissions.list) + * + * @param string $fileId The ID for the file. + * @param array $optParams Optional parameters. + * @return Google_PermissionList + */ + public function listPermissions($fileId, $optParams = array()) { + $params = array('fileId' => $fileId); + $params = array_merge($params, $optParams); + $data = $this->__call('list', array($params)); + if ($this->useObjects()) { + return new Google_PermissionList($data); + } else { + return $data; + } + } + /** + * Updates a permission. This method supports patch semantics. (permissions.patch) + * + * @param string $fileId The ID for the file. + * @param string $permissionId The ID for the permission. + * @param Google_Permission $postBody + * @param array $optParams Optional parameters. + * + * @opt_param bool transferOwnership Whether changing a role to 'owner' should also downgrade the current owners to writers. + * @return Google_Permission + */ + public function patch($fileId, $permissionId, Google_Permission $postBody, $optParams = array()) { + $params = array('fileId' => $fileId, 'permissionId' => $permissionId, 'postBody' => $postBody); + $params = array_merge($params, $optParams); + $data = $this->__call('patch', array($params)); + if ($this->useObjects()) { + return new Google_Permission($data); + } else { + return $data; + } + } + /** + * Updates a permission. (permissions.update) + * + * @param string $fileId The ID for the file. + * @param string $permissionId The ID for the permission. + * @param Google_Permission $postBody + * @param array $optParams Optional parameters. + * + * @opt_param bool transferOwnership Whether changing a role to 'owner' should also downgrade the current owners to writers. + * @return Google_Permission + */ + public function update($fileId, $permissionId, Google_Permission $postBody, $optParams = array()) { + $params = array('fileId' => $fileId, 'permissionId' => $permissionId, 'postBody' => $postBody); + $params = array_merge($params, $optParams); + $data = $this->__call('update', array($params)); + if ($this->useObjects()) { + return new Google_Permission($data); + } else { + return $data; + } + } + } + + /** + * The "properties" collection of methods. + * Typical usage is: + * + * $driveService = new Google_DriveService(...); + * $properties = $driveService->properties; + * + */ + class Google_PropertiesServiceResource extends Google_ServiceResource { + + + /** + * Deletes a property. (properties.delete) + * + * @param string $fileId The ID of the file. + * @param string $propertyKey The key of the property. + * @param array $optParams Optional parameters. + * + * @opt_param string visibility The visibility of the property. + */ + public function delete($fileId, $propertyKey, $optParams = array()) { + $params = array('fileId' => $fileId, 'propertyKey' => $propertyKey); + $params = array_merge($params, $optParams); + $data = $this->__call('delete', array($params)); + return $data; + } + /** + * Gets a property by its key. (properties.get) + * + * @param string $fileId The ID of the file. + * @param string $propertyKey The key of the property. + * @param array $optParams Optional parameters. + * + * @opt_param string visibility The visibility of the property. + * @return Google_Property + */ + public function get($fileId, $propertyKey, $optParams = array()) { + $params = array('fileId' => $fileId, 'propertyKey' => $propertyKey); + $params = array_merge($params, $optParams); + $data = $this->__call('get', array($params)); + if ($this->useObjects()) { + return new Google_Property($data); + } else { + return $data; + } + } + /** + * Adds a property to a file. (properties.insert) + * + * @param string $fileId The ID of the file. + * @param Google_Property $postBody + * @param array $optParams Optional parameters. + * @return Google_Property + */ + public function insert($fileId, Google_Property $postBody, $optParams = array()) { + $params = array('fileId' => $fileId, 'postBody' => $postBody); + $params = array_merge($params, $optParams); + $data = $this->__call('insert', array($params)); + if ($this->useObjects()) { + return new Google_Property($data); + } else { + return $data; + } + } + /** + * Lists a file's properties. (properties.list) + * + * @param string $fileId The ID of the file. + * @param array $optParams Optional parameters. + * @return Google_PropertyList + */ + public function listProperties($fileId, $optParams = array()) { + $params = array('fileId' => $fileId); + $params = array_merge($params, $optParams); + $data = $this->__call('list', array($params)); + if ($this->useObjects()) { + return new Google_PropertyList($data); + } else { + return $data; + } + } + /** + * Updates a property. This method supports patch semantics. (properties.patch) + * + * @param string $fileId The ID of the file. + * @param string $propertyKey The key of the property. + * @param Google_Property $postBody + * @param array $optParams Optional parameters. + * + * @opt_param string visibility The visibility of the property. + * @return Google_Property + */ + public function patch($fileId, $propertyKey, Google_Property $postBody, $optParams = array()) { + $params = array('fileId' => $fileId, 'propertyKey' => $propertyKey, 'postBody' => $postBody); + $params = array_merge($params, $optParams); + $data = $this->__call('patch', array($params)); + if ($this->useObjects()) { + return new Google_Property($data); + } else { + return $data; + } + } + /** + * Updates a property. (properties.update) + * + * @param string $fileId The ID of the file. + * @param string $propertyKey The key of the property. + * @param Google_Property $postBody + * @param array $optParams Optional parameters. + * + * @opt_param string visibility The visibility of the property. + * @return Google_Property + */ + public function update($fileId, $propertyKey, Google_Property $postBody, $optParams = array()) { + $params = array('fileId' => $fileId, 'propertyKey' => $propertyKey, 'postBody' => $postBody); + $params = array_merge($params, $optParams); + $data = $this->__call('update', array($params)); + if ($this->useObjects()) { + return new Google_Property($data); + } else { + return $data; + } + } + } + + /** + * The "replies" collection of methods. + * Typical usage is: + * + * $driveService = new Google_DriveService(...); + * $replies = $driveService->replies; + * + */ + class Google_RepliesServiceResource extends Google_ServiceResource { + + + /** + * Deletes a reply. (replies.delete) + * + * @param string $fileId The ID of the file. + * @param string $commentId The ID of the comment. + * @param string $replyId The ID of the reply. + * @param array $optParams Optional parameters. + */ + public function delete($fileId, $commentId, $replyId, $optParams = array()) { + $params = array('fileId' => $fileId, 'commentId' => $commentId, 'replyId' => $replyId); + $params = array_merge($params, $optParams); + $data = $this->__call('delete', array($params)); + return $data; + } + /** + * Gets a reply. (replies.get) + * + * @param string $fileId The ID of the file. + * @param string $commentId The ID of the comment. + * @param string $replyId The ID of the reply. + * @param array $optParams Optional parameters. + * + * @opt_param bool includeDeleted If set, this will succeed when retrieving a deleted reply. + * @return Google_CommentReply + */ + public function get($fileId, $commentId, $replyId, $optParams = array()) { + $params = array('fileId' => $fileId, 'commentId' => $commentId, 'replyId' => $replyId); + $params = array_merge($params, $optParams); + $data = $this->__call('get', array($params)); + if ($this->useObjects()) { + return new Google_CommentReply($data); + } else { + return $data; + } + } + /** + * Creates a new reply to the given comment. (replies.insert) + * + * @param string $fileId The ID of the file. + * @param string $commentId The ID of the comment. + * @param Google_CommentReply $postBody + * @param array $optParams Optional parameters. + * @return Google_CommentReply + */ + public function insert($fileId, $commentId, Google_CommentReply $postBody, $optParams = array()) { + $params = array('fileId' => $fileId, 'commentId' => $commentId, 'postBody' => $postBody); + $params = array_merge($params, $optParams); + $data = $this->__call('insert', array($params)); + if ($this->useObjects()) { + return new Google_CommentReply($data); + } else { + return $data; + } + } + /** + * Lists all of the replies to a comment. (replies.list) + * + * @param string $fileId The ID of the file. + * @param string $commentId The ID of the comment. + * @param array $optParams Optional parameters. + * + * @opt_param bool includeDeleted If set, all replies, including deleted replies (with content stripped) will be returned. + * @opt_param int maxResults The maximum number of replies to include in the response, used for paging. + * @opt_param string pageToken The continuation token, used to page through large result sets. To get the next page of results, set this parameter to the value of "nextPageToken" from the previous response. + * @return Google_CommentReplyList + */ + public function listReplies($fileId, $commentId, $optParams = array()) { + $params = array('fileId' => $fileId, 'commentId' => $commentId); + $params = array_merge($params, $optParams); + $data = $this->__call('list', array($params)); + if ($this->useObjects()) { + return new Google_CommentReplyList($data); + } else { + return $data; + } + } + /** + * Updates an existing reply. This method supports patch semantics. (replies.patch) + * + * @param string $fileId The ID of the file. + * @param string $commentId The ID of the comment. + * @param string $replyId The ID of the reply. + * @param Google_CommentReply $postBody + * @param array $optParams Optional parameters. + * @return Google_CommentReply + */ + public function patch($fileId, $commentId, $replyId, Google_CommentReply $postBody, $optParams = array()) { + $params = array('fileId' => $fileId, 'commentId' => $commentId, 'replyId' => $replyId, 'postBody' => $postBody); + $params = array_merge($params, $optParams); + $data = $this->__call('patch', array($params)); + if ($this->useObjects()) { + return new Google_CommentReply($data); + } else { + return $data; + } + } + /** + * Updates an existing reply. (replies.update) + * + * @param string $fileId The ID of the file. + * @param string $commentId The ID of the comment. + * @param string $replyId The ID of the reply. + * @param Google_CommentReply $postBody + * @param array $optParams Optional parameters. + * @return Google_CommentReply + */ + public function update($fileId, $commentId, $replyId, Google_CommentReply $postBody, $optParams = array()) { + $params = array('fileId' => $fileId, 'commentId' => $commentId, 'replyId' => $replyId, 'postBody' => $postBody); + $params = array_merge($params, $optParams); + $data = $this->__call('update', array($params)); + if ($this->useObjects()) { + return new Google_CommentReply($data); + } else { + return $data; + } + } + } + + /** + * The "revisions" collection of methods. + * Typical usage is: + * + * $driveService = new Google_DriveService(...); + * $revisions = $driveService->revisions; + * + */ + class Google_RevisionsServiceResource extends Google_ServiceResource { + + + /** + * Removes a revision. (revisions.delete) + * + * @param string $fileId The ID of the file. + * @param string $revisionId The ID of the revision. + * @param array $optParams Optional parameters. + */ + public function delete($fileId, $revisionId, $optParams = array()) { + $params = array('fileId' => $fileId, 'revisionId' => $revisionId); + $params = array_merge($params, $optParams); + $data = $this->__call('delete', array($params)); + return $data; + } + /** + * Gets a specific revision. (revisions.get) + * + * @param string $fileId The ID of the file. + * @param string $revisionId The ID of the revision. + * @param array $optParams Optional parameters. + * @return Google_Revision + */ + public function get($fileId, $revisionId, $optParams = array()) { + $params = array('fileId' => $fileId, 'revisionId' => $revisionId); + $params = array_merge($params, $optParams); + $data = $this->__call('get', array($params)); + if ($this->useObjects()) { + return new Google_Revision($data); + } else { + return $data; + } + } + /** + * Lists a file's revisions. (revisions.list) + * + * @param string $fileId The ID of the file. + * @param array $optParams Optional parameters. + * @return Google_RevisionList + */ + public function listRevisions($fileId, $optParams = array()) { + $params = array('fileId' => $fileId); + $params = array_merge($params, $optParams); + $data = $this->__call('list', array($params)); + if ($this->useObjects()) { + return new Google_RevisionList($data); + } else { + return $data; + } + } + /** + * Updates a revision. This method supports patch semantics. (revisions.patch) + * + * @param string $fileId The ID for the file. + * @param string $revisionId The ID for the revision. + * @param Google_Revision $postBody + * @param array $optParams Optional parameters. + * @return Google_Revision + */ + public function patch($fileId, $revisionId, Google_Revision $postBody, $optParams = array()) { + $params = array('fileId' => $fileId, 'revisionId' => $revisionId, 'postBody' => $postBody); + $params = array_merge($params, $optParams); + $data = $this->__call('patch', array($params)); + if ($this->useObjects()) { + return new Google_Revision($data); + } else { + return $data; + } + } + /** + * Updates a revision. (revisions.update) + * + * @param string $fileId The ID for the file. + * @param string $revisionId The ID for the revision. + * @param Google_Revision $postBody + * @param array $optParams Optional parameters. + * @return Google_Revision + */ + public function update($fileId, $revisionId, Google_Revision $postBody, $optParams = array()) { + $params = array('fileId' => $fileId, 'revisionId' => $revisionId, 'postBody' => $postBody); + $params = array_merge($params, $optParams); + $data = $this->__call('update', array($params)); + if ($this->useObjects()) { + return new Google_Revision($data); + } else { + return $data; + } + } + } + +/** + * Service definition for Google_Drive (v2). + * + *

+ * The API to interact with Drive. + *

+ * + *

+ * For more information about this service, see the + * API Documentation + *

+ * + * @author Google, Inc. + */ +class Google_DriveService extends Google_Service { + public $about; + public $apps; + public $changes; + public $children; + public $comments; + public $files; + public $parents; + public $permissions; + public $properties; + public $replies; + public $revisions; + /** + * Constructs the internal representation of the Drive service. + * + * @param Google_Client $client + */ + public function __construct(Google_Client $client) { + $this->servicePath = 'drive/v2/'; + $this->version = 'v2'; + $this->serviceName = 'drive'; + + $client->addService($this->serviceName, $this->version); + $this->about = new Google_AboutServiceResource($this, $this->serviceName, 'about', json_decode('{"methods": {"get": {"id": "drive.about.get", "path": "about", "httpMethod": "GET", "parameters": {"includeSubscribed": {"type": "boolean", "default": "true", "location": "query"}, "maxChangeIdCount": {"type": "string", "default": "1", "format": "int64", "location": "query"}, "startChangeId": {"type": "string", "format": "int64", "location": "query"}}, "response": {"$ref": "About"}, "scopes": ["https://www.googleapis.com/auth/drive", "https://www.googleapis.com/auth/drive.file", "https://www.googleapis.com/auth/drive.metadata.readonly", "https://www.googleapis.com/auth/drive.readonly"]}}}', true)); + $this->apps = new Google_AppsServiceResource($this, $this->serviceName, 'apps', json_decode('{"methods": {"get": {"id": "drive.apps.get", "path": "apps/{appId}", "httpMethod": "GET", "parameters": {"appId": {"type": "string", "required": true, "location": "path"}}, "response": {"$ref": "App"}, "scopes": ["https://www.googleapis.com/auth/drive.apps.readonly"]}, "list": {"id": "drive.apps.list", "path": "apps", "httpMethod": "GET", "response": {"$ref": "AppList"}, "scopes": ["https://www.googleapis.com/auth/drive.apps.readonly"]}}}', true)); + $this->changes = new Google_ChangesServiceResource($this, $this->serviceName, 'changes', json_decode('{"methods": {"get": {"id": "drive.changes.get", "path": "changes/{changeId}", "httpMethod": "GET", "parameters": {"changeId": {"type": "string", "required": true, "location": "path"}}, "response": {"$ref": "Change"}, "scopes": ["https://www.googleapis.com/auth/drive", "https://www.googleapis.com/auth/drive.file", "https://www.googleapis.com/auth/drive.metadata.readonly", "https://www.googleapis.com/auth/drive.readonly"]}, "list": {"id": "drive.changes.list", "path": "changes", "httpMethod": "GET", "parameters": {"includeDeleted": {"type": "boolean", "default": "true", "location": "query"}, "includeSubscribed": {"type": "boolean", "default": "true", "location": "query"}, "maxResults": {"type": "integer", "default": "100", "format": "int32", "minimum": "0", "location": "query"}, "pageToken": {"type": "string", "location": "query"}, "startChangeId": {"type": "string", "format": "int64", "location": "query"}}, "response": {"$ref": "ChangeList"}, "scopes": ["https://www.googleapis.com/auth/drive", "https://www.googleapis.com/auth/drive.file", "https://www.googleapis.com/auth/drive.metadata.readonly", "https://www.googleapis.com/auth/drive.readonly"], "supportsSubscription": true}}}', true)); + $this->children = new Google_ChildrenServiceResource($this, $this->serviceName, 'children', json_decode('{"methods": {"delete": {"id": "drive.children.delete", "path": "files/{folderId}/children/{childId}", "httpMethod": "DELETE", "parameters": {"childId": {"type": "string", "required": true, "location": "path"}, "folderId": {"type": "string", "required": true, "location": "path"}}, "scopes": ["https://www.googleapis.com/auth/drive", "https://www.googleapis.com/auth/drive.file"]}, "get": {"id": "drive.children.get", "path": "files/{folderId}/children/{childId}", "httpMethod": "GET", "parameters": {"childId": {"type": "string", "required": true, "location": "path"}, "folderId": {"type": "string", "required": true, "location": "path"}}, "response": {"$ref": "ChildReference"}, "scopes": ["https://www.googleapis.com/auth/drive", "https://www.googleapis.com/auth/drive.file", "https://www.googleapis.com/auth/drive.metadata.readonly", "https://www.googleapis.com/auth/drive.readonly"]}, "insert": {"id": "drive.children.insert", "path": "files/{folderId}/children", "httpMethod": "POST", "parameters": {"folderId": {"type": "string", "required": true, "location": "path"}}, "request": {"$ref": "ChildReference"}, "response": {"$ref": "ChildReference"}, "scopes": ["https://www.googleapis.com/auth/drive", "https://www.googleapis.com/auth/drive.file"]}, "list": {"id": "drive.children.list", "path": "files/{folderId}/children", "httpMethod": "GET", "parameters": {"folderId": {"type": "string", "required": true, "location": "path"}, "maxResults": {"type": "integer", "default": "100", "format": "int32", "minimum": "0", "location": "query"}, "pageToken": {"type": "string", "location": "query"}, "q": {"type": "string", "location": "query"}}, "response": {"$ref": "ChildList"}, "scopes": ["https://www.googleapis.com/auth/drive", "https://www.googleapis.com/auth/drive.file", "https://www.googleapis.com/auth/drive.metadata.readonly", "https://www.googleapis.com/auth/drive.readonly"]}}}', true)); + $this->comments = new Google_CommentsServiceResource($this, $this->serviceName, 'comments', json_decode('{"methods": {"delete": {"id": "drive.comments.delete", "path": "files/{fileId}/comments/{commentId}", "httpMethod": "DELETE", "parameters": {"commentId": {"type": "string", "required": true, "location": "path"}, "fileId": {"type": "string", "required": true, "location": "path"}}, "scopes": ["https://www.googleapis.com/auth/drive", "https://www.googleapis.com/auth/drive.file", "https://www.googleapis.com/auth/drive.readonly"]}, "get": {"id": "drive.comments.get", "path": "files/{fileId}/comments/{commentId}", "httpMethod": "GET", "parameters": {"commentId": {"type": "string", "required": true, "location": "path"}, "fileId": {"type": "string", "required": true, "location": "path"}, "includeDeleted": {"type": "boolean", "default": "false", "location": "query"}}, "response": {"$ref": "Comment"}, "scopes": ["https://www.googleapis.com/auth/drive", "https://www.googleapis.com/auth/drive.file", "https://www.googleapis.com/auth/drive.readonly"]}, "insert": {"id": "drive.comments.insert", "path": "files/{fileId}/comments", "httpMethod": "POST", "parameters": {"fileId": {"type": "string", "required": true, "location": "path"}}, "request": {"$ref": "Comment"}, "response": {"$ref": "Comment"}, "scopes": ["https://www.googleapis.com/auth/drive", "https://www.googleapis.com/auth/drive.file", "https://www.googleapis.com/auth/drive.readonly"]}, "list": {"id": "drive.comments.list", "path": "files/{fileId}/comments", "httpMethod": "GET", "parameters": {"fileId": {"type": "string", "required": true, "location": "path"}, "includeDeleted": {"type": "boolean", "default": "false", "location": "query"}, "maxResults": {"type": "integer", "default": "20", "format": "int32", "minimum": "0", "maximum": "100", "location": "query"}, "pageToken": {"type": "string", "location": "query"}, "updatedMin": {"type": "string", "location": "query"}}, "response": {"$ref": "CommentList"}, "scopes": ["https://www.googleapis.com/auth/drive", "https://www.googleapis.com/auth/drive.file", "https://www.googleapis.com/auth/drive.readonly"]}, "patch": {"id": "drive.comments.patch", "path": "files/{fileId}/comments/{commentId}", "httpMethod": "PATCH", "parameters": {"commentId": {"type": "string", "required": true, "location": "path"}, "fileId": {"type": "string", "required": true, "location": "path"}}, "request": {"$ref": "Comment"}, "response": {"$ref": "Comment"}, "scopes": ["https://www.googleapis.com/auth/drive", "https://www.googleapis.com/auth/drive.file"]}, "update": {"id": "drive.comments.update", "path": "files/{fileId}/comments/{commentId}", "httpMethod": "PUT", "parameters": {"commentId": {"type": "string", "required": true, "location": "path"}, "fileId": {"type": "string", "required": true, "location": "path"}}, "request": {"$ref": "Comment"}, "response": {"$ref": "Comment"}, "scopes": ["https://www.googleapis.com/auth/drive", "https://www.googleapis.com/auth/drive.file"]}}}', true)); + $this->files = new Google_FilesServiceResource($this, $this->serviceName, 'files', json_decode('{"methods": {"copy": {"id": "drive.files.copy", "path": "files/{fileId}/copy", "httpMethod": "POST", "parameters": {"convert": {"type": "boolean", "default": "false", "location": "query"}, "fileId": {"type": "string", "required": true, "location": "path"}, "ocr": {"type": "boolean", "default": "false", "location": "query"}, "ocrLanguage": {"type": "string", "location": "query"}, "pinned": {"type": "boolean", "default": "false", "location": "query"}, "timedTextLanguage": {"type": "string", "location": "query"}, "timedTextTrackName": {"type": "string", "location": "query"}}, "request": {"$ref": "File"}, "response": {"$ref": "File"}, "scopes": ["https://www.googleapis.com/auth/drive", "https://www.googleapis.com/auth/drive.file"]}, "delete": {"id": "drive.files.delete", "path": "files/{fileId}", "httpMethod": "DELETE", "parameters": {"fileId": {"type": "string", "required": true, "location": "path"}}, "scopes": ["https://www.googleapis.com/auth/drive", "https://www.googleapis.com/auth/drive.file"]}, "get": {"id": "drive.files.get", "path": "files/{fileId}", "httpMethod": "GET", "parameters": {"fileId": {"type": "string", "required": true, "location": "path"}, "projection": {"type": "string", "enum": ["BASIC", "FULL"], "location": "query"}, "updateViewedDate": {"type": "boolean", "default": "false", "location": "query"}}, "response": {"$ref": "File"}, "scopes": ["https://www.googleapis.com/auth/drive", "https://www.googleapis.com/auth/drive.file", "https://www.googleapis.com/auth/drive.metadata.readonly", "https://www.googleapis.com/auth/drive.readonly"], "supportsSubscription": true}, "insert": {"id": "drive.files.insert", "path": "files", "httpMethod": "POST", "parameters": {"convert": {"type": "boolean", "default": "false", "location": "query"}, "ocr": {"type": "boolean", "default": "false", "location": "query"}, "ocrLanguage": {"type": "string", "location": "query"}, "pinned": {"type": "boolean", "default": "false", "location": "query"}, "timedTextLanguage": {"type": "string", "location": "query"}, "timedTextTrackName": {"type": "string", "location": "query"}, "useContentAsIndexableText": {"type": "boolean", "default": "false", "location": "query"}}, "request": {"$ref": "File"}, "response": {"$ref": "File"}, "scopes": ["https://www.googleapis.com/auth/drive", "https://www.googleapis.com/auth/drive.file"], "supportsMediaUpload": true, "mediaUpload": {"accept": ["*/*"], "maxSize": "10GB", "protocols": {"simple": {"multipart": true, "path": "/upload/drive/v2/files"}, "resumable": {"multipart": true, "path": "/resumable/upload/drive/v2/files"}}}, "supportsSubscription": true}, "list": {"id": "drive.files.list", "path": "files", "httpMethod": "GET", "parameters": {"maxResults": {"type": "integer", "default": "100", "format": "int32", "minimum": "0", "location": "query"}, "pageToken": {"type": "string", "location": "query"}, "projection": {"type": "string", "enum": ["BASIC", "FULL"], "location": "query"}, "q": {"type": "string", "location": "query"}}, "response": {"$ref": "FileList"}, "scopes": ["https://www.googleapis.com/auth/drive", "https://www.googleapis.com/auth/drive.file", "https://www.googleapis.com/auth/drive.metadata.readonly", "https://www.googleapis.com/auth/drive.readonly"]}, "patch": {"id": "drive.files.patch", "path": "files/{fileId}", "httpMethod": "PATCH", "parameters": {"convert": {"type": "boolean", "default": "false", "location": "query"}, "fileId": {"type": "string", "required": true, "location": "path"}, "newRevision": {"type": "boolean", "default": "true", "location": "query"}, "ocr": {"type": "boolean", "default": "false", "location": "query"}, "ocrLanguage": {"type": "string", "location": "query"}, "pinned": {"type": "boolean", "default": "false", "location": "query"}, "setModifiedDate": {"type": "boolean", "default": "false", "location": "query"}, "timedTextLanguage": {"type": "string", "location": "query"}, "timedTextTrackName": {"type": "string", "location": "query"}, "updateViewedDate": {"type": "boolean", "default": "true", "location": "query"}, "useContentAsIndexableText": {"type": "boolean", "default": "false", "location": "query"}}, "request": {"$ref": "File"}, "response": {"$ref": "File"}, "scopes": ["https://www.googleapis.com/auth/drive", "https://www.googleapis.com/auth/drive.file", "https://www.googleapis.com/auth/drive.scripts"]}, "touch": {"id": "drive.files.touch", "path": "files/{fileId}/touch", "httpMethod": "POST", "parameters": {"fileId": {"type": "string", "required": true, "location": "path"}}, "response": {"$ref": "File"}, "scopes": ["https://www.googleapis.com/auth/drive", "https://www.googleapis.com/auth/drive.file"]}, "trash": {"id": "drive.files.trash", "path": "files/{fileId}/trash", "httpMethod": "POST", "parameters": {"fileId": {"type": "string", "required": true, "location": "path"}}, "response": {"$ref": "File"}, "scopes": ["https://www.googleapis.com/auth/drive", "https://www.googleapis.com/auth/drive.file"]}, "untrash": {"id": "drive.files.untrash", "path": "files/{fileId}/untrash", "httpMethod": "POST", "parameters": {"fileId": {"type": "string", "required": true, "location": "path"}}, "response": {"$ref": "File"}, "scopes": ["https://www.googleapis.com/auth/drive", "https://www.googleapis.com/auth/drive.file"]}, "update": {"id": "drive.files.update", "path": "files/{fileId}", "httpMethod": "PUT", "parameters": {"convert": {"type": "boolean", "default": "false", "location": "query"}, "fileId": {"type": "string", "required": true, "location": "path"}, "newRevision": {"type": "boolean", "default": "true", "location": "query"}, "ocr": {"type": "boolean", "default": "false", "location": "query"}, "ocrLanguage": {"type": "string", "location": "query"}, "pinned": {"type": "boolean", "default": "false", "location": "query"}, "setModifiedDate": {"type": "boolean", "default": "false", "location": "query"}, "timedTextLanguage": {"type": "string", "location": "query"}, "timedTextTrackName": {"type": "string", "location": "query"}, "updateViewedDate": {"type": "boolean", "default": "true", "location": "query"}, "useContentAsIndexableText": {"type": "boolean", "default": "false", "location": "query"}}, "request": {"$ref": "File"}, "response": {"$ref": "File"}, "scopes": ["https://www.googleapis.com/auth/drive", "https://www.googleapis.com/auth/drive.file", "https://www.googleapis.com/auth/drive.scripts"], "supportsMediaUpload": true, "mediaUpload": {"accept": ["*/*"], "maxSize": "10GB", "protocols": {"simple": {"multipart": true, "path": "/upload/drive/v2/files/{fileId}"}, "resumable": {"multipart": true, "path": "/resumable/upload/drive/v2/files/{fileId}"}}}}}}', true)); + $this->parents = new Google_ParentsServiceResource($this, $this->serviceName, 'parents', json_decode('{"methods": {"delete": {"id": "drive.parents.delete", "path": "files/{fileId}/parents/{parentId}", "httpMethod": "DELETE", "parameters": {"fileId": {"type": "string", "required": true, "location": "path"}, "parentId": {"type": "string", "required": true, "location": "path"}}, "scopes": ["https://www.googleapis.com/auth/drive", "https://www.googleapis.com/auth/drive.file"]}, "get": {"id": "drive.parents.get", "path": "files/{fileId}/parents/{parentId}", "httpMethod": "GET", "parameters": {"fileId": {"type": "string", "required": true, "location": "path"}, "parentId": {"type": "string", "required": true, "location": "path"}}, "response": {"$ref": "ParentReference"}, "scopes": ["https://www.googleapis.com/auth/drive", "https://www.googleapis.com/auth/drive.file", "https://www.googleapis.com/auth/drive.metadata.readonly", "https://www.googleapis.com/auth/drive.readonly"]}, "insert": {"id": "drive.parents.insert", "path": "files/{fileId}/parents", "httpMethod": "POST", "parameters": {"fileId": {"type": "string", "required": true, "location": "path"}}, "request": {"$ref": "ParentReference"}, "response": {"$ref": "ParentReference"}, "scopes": ["https://www.googleapis.com/auth/drive", "https://www.googleapis.com/auth/drive.file"]}, "list": {"id": "drive.parents.list", "path": "files/{fileId}/parents", "httpMethod": "GET", "parameters": {"fileId": {"type": "string", "required": true, "location": "path"}}, "response": {"$ref": "ParentList"}, "scopes": ["https://www.googleapis.com/auth/drive", "https://www.googleapis.com/auth/drive.file", "https://www.googleapis.com/auth/drive.metadata.readonly", "https://www.googleapis.com/auth/drive.readonly"]}}}', true)); + $this->permissions = new Google_PermissionsServiceResource($this, $this->serviceName, 'permissions', json_decode('{"methods": {"delete": {"id": "drive.permissions.delete", "path": "files/{fileId}/permissions/{permissionId}", "httpMethod": "DELETE", "parameters": {"fileId": {"type": "string", "required": true, "location": "path"}, "permissionId": {"type": "string", "required": true, "location": "path"}}, "scopes": ["https://www.googleapis.com/auth/drive", "https://www.googleapis.com/auth/drive.file"]}, "get": {"id": "drive.permissions.get", "path": "files/{fileId}/permissions/{permissionId}", "httpMethod": "GET", "parameters": {"fileId": {"type": "string", "required": true, "location": "path"}, "permissionId": {"type": "string", "required": true, "location": "path"}}, "response": {"$ref": "Permission"}, "scopes": ["https://www.googleapis.com/auth/drive", "https://www.googleapis.com/auth/drive.file", "https://www.googleapis.com/auth/drive.metadata.readonly", "https://www.googleapis.com/auth/drive.readonly"]}, "insert": {"id": "drive.permissions.insert", "path": "files/{fileId}/permissions", "httpMethod": "POST", "parameters": {"emailMessage": {"type": "string", "location": "query"}, "fileId": {"type": "string", "required": true, "location": "path"}, "sendNotificationEmails": {"type": "boolean", "default": "true", "location": "query"}}, "request": {"$ref": "Permission"}, "response": {"$ref": "Permission"}, "scopes": ["https://www.googleapis.com/auth/drive", "https://www.googleapis.com/auth/drive.file"]}, "list": {"id": "drive.permissions.list", "path": "files/{fileId}/permissions", "httpMethod": "GET", "parameters": {"fileId": {"type": "string", "required": true, "location": "path"}}, "response": {"$ref": "PermissionList"}, "scopes": ["https://www.googleapis.com/auth/drive", "https://www.googleapis.com/auth/drive.file", "https://www.googleapis.com/auth/drive.metadata.readonly", "https://www.googleapis.com/auth/drive.readonly"]}, "patch": {"id": "drive.permissions.patch", "path": "files/{fileId}/permissions/{permissionId}", "httpMethod": "PATCH", "parameters": {"fileId": {"type": "string", "required": true, "location": "path"}, "permissionId": {"type": "string", "required": true, "location": "path"}, "transferOwnership": {"type": "boolean", "default": "false", "location": "query"}}, "request": {"$ref": "Permission"}, "response": {"$ref": "Permission"}, "scopes": ["https://www.googleapis.com/auth/drive", "https://www.googleapis.com/auth/drive.file"]}, "update": {"id": "drive.permissions.update", "path": "files/{fileId}/permissions/{permissionId}", "httpMethod": "PUT", "parameters": {"fileId": {"type": "string", "required": true, "location": "path"}, "permissionId": {"type": "string", "required": true, "location": "path"}, "transferOwnership": {"type": "boolean", "default": "false", "location": "query"}}, "request": {"$ref": "Permission"}, "response": {"$ref": "Permission"}, "scopes": ["https://www.googleapis.com/auth/drive", "https://www.googleapis.com/auth/drive.file"]}}}', true)); + $this->properties = new Google_PropertiesServiceResource($this, $this->serviceName, 'properties', json_decode('{"methods": {"delete": {"id": "drive.properties.delete", "path": "files/{fileId}/properties/{propertyKey}", "httpMethod": "DELETE", "parameters": {"fileId": {"type": "string", "required": true, "location": "path"}, "propertyKey": {"type": "string", "required": true, "location": "path"}, "visibility": {"type": "string", "default": "private", "location": "query"}}, "scopes": ["https://www.googleapis.com/auth/drive", "https://www.googleapis.com/auth/drive.file"]}, "get": {"id": "drive.properties.get", "path": "files/{fileId}/properties/{propertyKey}", "httpMethod": "GET", "parameters": {"fileId": {"type": "string", "required": true, "location": "path"}, "propertyKey": {"type": "string", "required": true, "location": "path"}, "visibility": {"type": "string", "default": "private", "location": "query"}}, "response": {"$ref": "Property"}, "scopes": ["https://www.googleapis.com/auth/drive", "https://www.googleapis.com/auth/drive.file", "https://www.googleapis.com/auth/drive.metadata.readonly", "https://www.googleapis.com/auth/drive.readonly"]}, "insert": {"id": "drive.properties.insert", "path": "files/{fileId}/properties", "httpMethod": "POST", "parameters": {"fileId": {"type": "string", "required": true, "location": "path"}}, "request": {"$ref": "Property"}, "response": {"$ref": "Property"}, "scopes": ["https://www.googleapis.com/auth/drive", "https://www.googleapis.com/auth/drive.file"]}, "list": {"id": "drive.properties.list", "path": "files/{fileId}/properties", "httpMethod": "GET", "parameters": {"fileId": {"type": "string", "required": true, "location": "path"}}, "response": {"$ref": "PropertyList"}, "scopes": ["https://www.googleapis.com/auth/drive", "https://www.googleapis.com/auth/drive.file", "https://www.googleapis.com/auth/drive.metadata.readonly", "https://www.googleapis.com/auth/drive.readonly"]}, "patch": {"id": "drive.properties.patch", "path": "files/{fileId}/properties/{propertyKey}", "httpMethod": "PATCH", "parameters": {"fileId": {"type": "string", "required": true, "location": "path"}, "propertyKey": {"type": "string", "required": true, "location": "path"}, "visibility": {"type": "string", "default": "private", "location": "query"}}, "request": {"$ref": "Property"}, "response": {"$ref": "Property"}, "scopes": ["https://www.googleapis.com/auth/drive", "https://www.googleapis.com/auth/drive.file"]}, "update": {"id": "drive.properties.update", "path": "files/{fileId}/properties/{propertyKey}", "httpMethod": "PUT", "parameters": {"fileId": {"type": "string", "required": true, "location": "path"}, "propertyKey": {"type": "string", "required": true, "location": "path"}, "visibility": {"type": "string", "default": "private", "location": "query"}}, "request": {"$ref": "Property"}, "response": {"$ref": "Property"}, "scopes": ["https://www.googleapis.com/auth/drive", "https://www.googleapis.com/auth/drive.file"]}}}', true)); + $this->replies = new Google_RepliesServiceResource($this, $this->serviceName, 'replies', json_decode('{"methods": {"delete": {"id": "drive.replies.delete", "path": "files/{fileId}/comments/{commentId}/replies/{replyId}", "httpMethod": "DELETE", "parameters": {"commentId": {"type": "string", "required": true, "location": "path"}, "fileId": {"type": "string", "required": true, "location": "path"}, "replyId": {"type": "string", "required": true, "location": "path"}}, "scopes": ["https://www.googleapis.com/auth/drive", "https://www.googleapis.com/auth/drive.file"]}, "get": {"id": "drive.replies.get", "path": "files/{fileId}/comments/{commentId}/replies/{replyId}", "httpMethod": "GET", "parameters": {"commentId": {"type": "string", "required": true, "location": "path"}, "fileId": {"type": "string", "required": true, "location": "path"}, "includeDeleted": {"type": "boolean", "default": "false", "location": "query"}, "replyId": {"type": "string", "required": true, "location": "path"}}, "response": {"$ref": "CommentReply"}, "scopes": ["https://www.googleapis.com/auth/drive", "https://www.googleapis.com/auth/drive.file", "https://www.googleapis.com/auth/drive.readonly"]}, "insert": {"id": "drive.replies.insert", "path": "files/{fileId}/comments/{commentId}/replies", "httpMethod": "POST", "parameters": {"commentId": {"type": "string", "required": true, "location": "path"}, "fileId": {"type": "string", "required": true, "location": "path"}}, "request": {"$ref": "CommentReply"}, "response": {"$ref": "CommentReply"}, "scopes": ["https://www.googleapis.com/auth/drive", "https://www.googleapis.com/auth/drive.file"]}, "list": {"id": "drive.replies.list", "path": "files/{fileId}/comments/{commentId}/replies", "httpMethod": "GET", "parameters": {"commentId": {"type": "string", "required": true, "location": "path"}, "fileId": {"type": "string", "required": true, "location": "path"}, "includeDeleted": {"type": "boolean", "default": "false", "location": "query"}, "maxResults": {"type": "integer", "default": "20", "format": "int32", "minimum": "0", "maximum": "100", "location": "query"}, "pageToken": {"type": "string", "location": "query"}}, "response": {"$ref": "CommentReplyList"}, "scopes": ["https://www.googleapis.com/auth/drive", "https://www.googleapis.com/auth/drive.file", "https://www.googleapis.com/auth/drive.readonly"]}, "patch": {"id": "drive.replies.patch", "path": "files/{fileId}/comments/{commentId}/replies/{replyId}", "httpMethod": "PATCH", "parameters": {"commentId": {"type": "string", "required": true, "location": "path"}, "fileId": {"type": "string", "required": true, "location": "path"}, "replyId": {"type": "string", "required": true, "location": "path"}}, "request": {"$ref": "CommentReply"}, "response": {"$ref": "CommentReply"}, "scopes": ["https://www.googleapis.com/auth/drive", "https://www.googleapis.com/auth/drive.file"]}, "update": {"id": "drive.replies.update", "path": "files/{fileId}/comments/{commentId}/replies/{replyId}", "httpMethod": "PUT", "parameters": {"commentId": {"type": "string", "required": true, "location": "path"}, "fileId": {"type": "string", "required": true, "location": "path"}, "replyId": {"type": "string", "required": true, "location": "path"}}, "request": {"$ref": "CommentReply"}, "response": {"$ref": "CommentReply"}, "scopes": ["https://www.googleapis.com/auth/drive", "https://www.googleapis.com/auth/drive.file"]}}}', true)); + $this->revisions = new Google_RevisionsServiceResource($this, $this->serviceName, 'revisions', json_decode('{"methods": {"delete": {"id": "drive.revisions.delete", "path": "files/{fileId}/revisions/{revisionId}", "httpMethod": "DELETE", "parameters": {"fileId": {"type": "string", "required": true, "location": "path"}, "revisionId": {"type": "string", "required": true, "location": "path"}}, "scopes": ["https://www.googleapis.com/auth/drive", "https://www.googleapis.com/auth/drive.file"]}, "get": {"id": "drive.revisions.get", "path": "files/{fileId}/revisions/{revisionId}", "httpMethod": "GET", "parameters": {"fileId": {"type": "string", "required": true, "location": "path"}, "revisionId": {"type": "string", "required": true, "location": "path"}}, "response": {"$ref": "Revision"}, "scopes": ["https://www.googleapis.com/auth/drive", "https://www.googleapis.com/auth/drive.file", "https://www.googleapis.com/auth/drive.metadata.readonly", "https://www.googleapis.com/auth/drive.readonly"]}, "list": {"id": "drive.revisions.list", "path": "files/{fileId}/revisions", "httpMethod": "GET", "parameters": {"fileId": {"type": "string", "required": true, "location": "path"}}, "response": {"$ref": "RevisionList"}, "scopes": ["https://www.googleapis.com/auth/drive", "https://www.googleapis.com/auth/drive.file", "https://www.googleapis.com/auth/drive.metadata.readonly", "https://www.googleapis.com/auth/drive.readonly"]}, "patch": {"id": "drive.revisions.patch", "path": "files/{fileId}/revisions/{revisionId}", "httpMethod": "PATCH", "parameters": {"fileId": {"type": "string", "required": true, "location": "path"}, "revisionId": {"type": "string", "required": true, "location": "path"}}, "request": {"$ref": "Revision"}, "response": {"$ref": "Revision"}, "scopes": ["https://www.googleapis.com/auth/drive", "https://www.googleapis.com/auth/drive.file"]}, "update": {"id": "drive.revisions.update", "path": "files/{fileId}/revisions/{revisionId}", "httpMethod": "PUT", "parameters": {"fileId": {"type": "string", "required": true, "location": "path"}, "revisionId": {"type": "string", "required": true, "location": "path"}}, "request": {"$ref": "Revision"}, "response": {"$ref": "Revision"}, "scopes": ["https://www.googleapis.com/auth/drive", "https://www.googleapis.com/auth/drive.file"]}}}', true)); + + } +} + + + +class Google_About extends Google_Model { + protected $__additionalRoleInfoType = 'Google_AboutAdditionalRoleInfo'; + protected $__additionalRoleInfoDataType = 'array'; + public $additionalRoleInfo; + public $domainSharingPolicy; + public $etag; + protected $__exportFormatsType = 'Google_AboutExportFormats'; + protected $__exportFormatsDataType = 'array'; + public $exportFormats; + protected $__featuresType = 'Google_AboutFeatures'; + protected $__featuresDataType = 'array'; + public $features; + protected $__importFormatsType = 'Google_AboutImportFormats'; + protected $__importFormatsDataType = 'array'; + public $importFormats; + public $isCurrentAppInstalled; + public $kind; + public $largestChangeId; + protected $__maxUploadSizesType = 'Google_AboutMaxUploadSizes'; + protected $__maxUploadSizesDataType = 'array'; + public $maxUploadSizes; + public $name; + public $permissionId; + public $quotaBytesTotal; + public $quotaBytesUsed; + public $quotaBytesUsedAggregate; + public $quotaBytesUsedInTrash; + public $remainingChangeIds; + public $rootFolderId; + public $selfLink; + protected $__userType = 'Google_User'; + protected $__userDataType = ''; + public $user; + public function setAdditionalRoleInfo(/* array(Google_AboutAdditionalRoleInfo) */ $additionalRoleInfo) { + $this->assertIsArray($additionalRoleInfo, 'Google_AboutAdditionalRoleInfo', __METHOD__); + $this->additionalRoleInfo = $additionalRoleInfo; + } + public function getAdditionalRoleInfo() { + return $this->additionalRoleInfo; + } + public function setDomainSharingPolicy($domainSharingPolicy) { + $this->domainSharingPolicy = $domainSharingPolicy; + } + public function getDomainSharingPolicy() { + return $this->domainSharingPolicy; + } + public function setEtag($etag) { + $this->etag = $etag; + } + public function getEtag() { + return $this->etag; + } + public function setExportFormats(/* array(Google_AboutExportFormats) */ $exportFormats) { + $this->assertIsArray($exportFormats, 'Google_AboutExportFormats', __METHOD__); + $this->exportFormats = $exportFormats; + } + public function getExportFormats() { + return $this->exportFormats; + } + public function setFeatures(/* array(Google_AboutFeatures) */ $features) { + $this->assertIsArray($features, 'Google_AboutFeatures', __METHOD__); + $this->features = $features; + } + public function getFeatures() { + return $this->features; + } + public function setImportFormats(/* array(Google_AboutImportFormats) */ $importFormats) { + $this->assertIsArray($importFormats, 'Google_AboutImportFormats', __METHOD__); + $this->importFormats = $importFormats; + } + public function getImportFormats() { + return $this->importFormats; + } + public function setIsCurrentAppInstalled($isCurrentAppInstalled) { + $this->isCurrentAppInstalled = $isCurrentAppInstalled; + } + public function getIsCurrentAppInstalled() { + return $this->isCurrentAppInstalled; + } + public function setKind($kind) { + $this->kind = $kind; + } + public function getKind() { + return $this->kind; + } + public function setLargestChangeId($largestChangeId) { + $this->largestChangeId = $largestChangeId; + } + public function getLargestChangeId() { + return $this->largestChangeId; + } + public function setMaxUploadSizes(/* array(Google_AboutMaxUploadSizes) */ $maxUploadSizes) { + $this->assertIsArray($maxUploadSizes, 'Google_AboutMaxUploadSizes', __METHOD__); + $this->maxUploadSizes = $maxUploadSizes; + } + public function getMaxUploadSizes() { + return $this->maxUploadSizes; + } + public function setName($name) { + $this->name = $name; + } + public function getName() { + return $this->name; + } + public function setPermissionId($permissionId) { + $this->permissionId = $permissionId; + } + public function getPermissionId() { + return $this->permissionId; + } + public function setQuotaBytesTotal($quotaBytesTotal) { + $this->quotaBytesTotal = $quotaBytesTotal; + } + public function getQuotaBytesTotal() { + return $this->quotaBytesTotal; + } + public function setQuotaBytesUsed($quotaBytesUsed) { + $this->quotaBytesUsed = $quotaBytesUsed; + } + public function getQuotaBytesUsed() { + return $this->quotaBytesUsed; + } + public function setQuotaBytesUsedAggregate($quotaBytesUsedAggregate) { + $this->quotaBytesUsedAggregate = $quotaBytesUsedAggregate; + } + public function getQuotaBytesUsedAggregate() { + return $this->quotaBytesUsedAggregate; + } + public function setQuotaBytesUsedInTrash($quotaBytesUsedInTrash) { + $this->quotaBytesUsedInTrash = $quotaBytesUsedInTrash; + } + public function getQuotaBytesUsedInTrash() { + return $this->quotaBytesUsedInTrash; + } + public function setRemainingChangeIds($remainingChangeIds) { + $this->remainingChangeIds = $remainingChangeIds; + } + public function getRemainingChangeIds() { + return $this->remainingChangeIds; + } + public function setRootFolderId($rootFolderId) { + $this->rootFolderId = $rootFolderId; + } + public function getRootFolderId() { + return $this->rootFolderId; + } + public function setSelfLink($selfLink) { + $this->selfLink = $selfLink; + } + public function getSelfLink() { + return $this->selfLink; + } + public function setUser(Google_User $user) { + $this->user = $user; + } + public function getUser() { + return $this->user; + } +} + +class Google_AboutAdditionalRoleInfo extends Google_Model { + protected $__roleSetsType = 'Google_AboutAdditionalRoleInfoRoleSets'; + protected $__roleSetsDataType = 'array'; + public $roleSets; + public $type; + public function setRoleSets(/* array(Google_AboutAdditionalRoleInfoRoleSets) */ $roleSets) { + $this->assertIsArray($roleSets, 'Google_AboutAdditionalRoleInfoRoleSets', __METHOD__); + $this->roleSets = $roleSets; + } + public function getRoleSets() { + return $this->roleSets; + } + public function setType($type) { + $this->type = $type; + } + public function getType() { + return $this->type; + } +} + +class Google_AboutAdditionalRoleInfoRoleSets extends Google_Model { + public $additionalRoles; + public $primaryRole; + public function setAdditionalRoles(/* array(Google_string) */ $additionalRoles) { + $this->assertIsArray($additionalRoles, 'Google_string', __METHOD__); + $this->additionalRoles = $additionalRoles; + } + public function getAdditionalRoles() { + return $this->additionalRoles; + } + public function setPrimaryRole($primaryRole) { + $this->primaryRole = $primaryRole; + } + public function getPrimaryRole() { + return $this->primaryRole; + } +} + +class Google_AboutExportFormats extends Google_Model { + public $source; + public $targets; + public function setSource($source) { + $this->source = $source; + } + public function getSource() { + return $this->source; + } + public function setTargets(/* array(Google_string) */ $targets) { + $this->assertIsArray($targets, 'Google_string', __METHOD__); + $this->targets = $targets; + } + public function getTargets() { + return $this->targets; + } +} + +class Google_AboutFeatures extends Google_Model { + public $featureName; + public $featureRate; + public function setFeatureName($featureName) { + $this->featureName = $featureName; + } + public function getFeatureName() { + return $this->featureName; + } + public function setFeatureRate($featureRate) { + $this->featureRate = $featureRate; + } + public function getFeatureRate() { + return $this->featureRate; + } +} + +class Google_AboutImportFormats extends Google_Model { + public $source; + public $targets; + public function setSource($source) { + $this->source = $source; + } + public function getSource() { + return $this->source; + } + public function setTargets(/* array(Google_string) */ $targets) { + $this->assertIsArray($targets, 'Google_string', __METHOD__); + $this->targets = $targets; + } + public function getTargets() { + return $this->targets; + } +} + +class Google_AboutMaxUploadSizes extends Google_Model { + public $size; + public $type; + public function setSize($size) { + $this->size = $size; + } + public function getSize() { + return $this->size; + } + public function setType($type) { + $this->type = $type; + } + public function getType() { + return $this->type; + } +} + +class Google_App extends Google_Model { + public $authorized; + protected $__iconsType = 'Google_AppIcons'; + protected $__iconsDataType = 'array'; + public $icons; + public $id; + public $installed; + public $kind; + public $name; + public $objectType; + public $primaryFileExtensions; + public $primaryMimeTypes; + public $productUrl; + public $secondaryFileExtensions; + public $secondaryMimeTypes; + public $supportsCreate; + public $supportsImport; + public $useByDefault; + public function setAuthorized($authorized) { + $this->authorized = $authorized; + } + public function getAuthorized() { + return $this->authorized; + } + public function setIcons(/* array(Google_AppIcons) */ $icons) { + $this->assertIsArray($icons, 'Google_AppIcons', __METHOD__); + $this->icons = $icons; + } + public function getIcons() { + return $this->icons; + } + public function setId($id) { + $this->id = $id; + } + public function getId() { + return $this->id; + } + public function setInstalled($installed) { + $this->installed = $installed; + } + public function getInstalled() { + return $this->installed; + } + public function setKind($kind) { + $this->kind = $kind; + } + public function getKind() { + return $this->kind; + } + public function setName($name) { + $this->name = $name; + } + public function getName() { + return $this->name; + } + public function setObjectType($objectType) { + $this->objectType = $objectType; + } + public function getObjectType() { + return $this->objectType; + } + public function setPrimaryFileExtensions(/* array(Google_string) */ $primaryFileExtensions) { + $this->assertIsArray($primaryFileExtensions, 'Google_string', __METHOD__); + $this->primaryFileExtensions = $primaryFileExtensions; + } + public function getPrimaryFileExtensions() { + return $this->primaryFileExtensions; + } + public function setPrimaryMimeTypes(/* array(Google_string) */ $primaryMimeTypes) { + $this->assertIsArray($primaryMimeTypes, 'Google_string', __METHOD__); + $this->primaryMimeTypes = $primaryMimeTypes; + } + public function getPrimaryMimeTypes() { + return $this->primaryMimeTypes; + } + public function setProductUrl($productUrl) { + $this->productUrl = $productUrl; + } + public function getProductUrl() { + return $this->productUrl; + } + public function setSecondaryFileExtensions(/* array(Google_string) */ $secondaryFileExtensions) { + $this->assertIsArray($secondaryFileExtensions, 'Google_string', __METHOD__); + $this->secondaryFileExtensions = $secondaryFileExtensions; + } + public function getSecondaryFileExtensions() { + return $this->secondaryFileExtensions; + } + public function setSecondaryMimeTypes(/* array(Google_string) */ $secondaryMimeTypes) { + $this->assertIsArray($secondaryMimeTypes, 'Google_string', __METHOD__); + $this->secondaryMimeTypes = $secondaryMimeTypes; + } + public function getSecondaryMimeTypes() { + return $this->secondaryMimeTypes; + } + public function setSupportsCreate($supportsCreate) { + $this->supportsCreate = $supportsCreate; + } + public function getSupportsCreate() { + return $this->supportsCreate; + } + public function setSupportsImport($supportsImport) { + $this->supportsImport = $supportsImport; + } + public function getSupportsImport() { + return $this->supportsImport; + } + public function setUseByDefault($useByDefault) { + $this->useByDefault = $useByDefault; + } + public function getUseByDefault() { + return $this->useByDefault; + } +} + +class Google_AppIcons extends Google_Model { + public $category; + public $iconUrl; + public $size; + public function setCategory($category) { + $this->category = $category; + } + public function getCategory() { + return $this->category; + } + public function setIconUrl($iconUrl) { + $this->iconUrl = $iconUrl; + } + public function getIconUrl() { + return $this->iconUrl; + } + public function setSize($size) { + $this->size = $size; + } + public function getSize() { + return $this->size; + } +} + +class Google_AppList extends Google_Model { + public $etag; + protected $__itemsType = 'Google_App'; + protected $__itemsDataType = 'array'; + public $items; + public $kind; + public $selfLink; + public function setEtag($etag) { + $this->etag = $etag; + } + public function getEtag() { + return $this->etag; + } + public function setItems(/* array(Google_App) */ $items) { + $this->assertIsArray($items, 'Google_App', __METHOD__); + $this->items = $items; + } + public function getItems() { + return $this->items; + } + public function setKind($kind) { + $this->kind = $kind; + } + public function getKind() { + return $this->kind; + } + public function setSelfLink($selfLink) { + $this->selfLink = $selfLink; + } + public function getSelfLink() { + return $this->selfLink; + } +} + +class Google_Change extends Google_Model { + public $deleted; + protected $__fileType = 'Google_DriveFile'; + protected $__fileDataType = ''; + public $file; + public $fileId; + public $id; + public $kind; + public $selfLink; + public function setDeleted($deleted) { + $this->deleted = $deleted; + } + public function getDeleted() { + return $this->deleted; + } + public function setFile(Google_DriveFile $file) { + $this->file = $file; + } + public function getFile() { + return $this->file; + } + public function setFileId($fileId) { + $this->fileId = $fileId; + } + public function getFileId() { + return $this->fileId; + } + public function setId($id) { + $this->id = $id; + } + public function getId() { + return $this->id; + } + public function setKind($kind) { + $this->kind = $kind; + } + public function getKind() { + return $this->kind; + } + public function setSelfLink($selfLink) { + $this->selfLink = $selfLink; + } + public function getSelfLink() { + return $this->selfLink; + } +} + +class Google_ChangeList extends Google_Model { + public $etag; + protected $__itemsType = 'Google_Change'; + protected $__itemsDataType = 'array'; + public $items; + public $kind; + public $largestChangeId; + public $nextLink; + public $nextPageToken; + public $selfLink; + public function setEtag($etag) { + $this->etag = $etag; + } + public function getEtag() { + return $this->etag; + } + public function setItems(/* array(Google_Change) */ $items) { + $this->assertIsArray($items, 'Google_Change', __METHOD__); + $this->items = $items; + } + public function getItems() { + return $this->items; + } + public function setKind($kind) { + $this->kind = $kind; + } + public function getKind() { + return $this->kind; + } + public function setLargestChangeId($largestChangeId) { + $this->largestChangeId = $largestChangeId; + } + public function getLargestChangeId() { + return $this->largestChangeId; + } + public function setNextLink($nextLink) { + $this->nextLink = $nextLink; + } + public function getNextLink() { + return $this->nextLink; + } + public function setNextPageToken($nextPageToken) { + $this->nextPageToken = $nextPageToken; + } + public function getNextPageToken() { + return $this->nextPageToken; + } + public function setSelfLink($selfLink) { + $this->selfLink = $selfLink; + } + public function getSelfLink() { + return $this->selfLink; + } +} + +class Google_ChildList extends Google_Model { + public $etag; + protected $__itemsType = 'Google_ChildReference'; + protected $__itemsDataType = 'array'; + public $items; + public $kind; + public $nextLink; + public $nextPageToken; + public $selfLink; + public function setEtag($etag) { + $this->etag = $etag; + } + public function getEtag() { + return $this->etag; + } + public function setItems(/* array(Google_ChildReference) */ $items) { + $this->assertIsArray($items, 'Google_ChildReference', __METHOD__); + $this->items = $items; + } + public function getItems() { + return $this->items; + } + public function setKind($kind) { + $this->kind = $kind; + } + public function getKind() { + return $this->kind; + } + public function setNextLink($nextLink) { + $this->nextLink = $nextLink; + } + public function getNextLink() { + return $this->nextLink; + } + public function setNextPageToken($nextPageToken) { + $this->nextPageToken = $nextPageToken; + } + public function getNextPageToken() { + return $this->nextPageToken; + } + public function setSelfLink($selfLink) { + $this->selfLink = $selfLink; + } + public function getSelfLink() { + return $this->selfLink; + } +} + +class Google_ChildReference extends Google_Model { + public $childLink; + public $id; + public $kind; + public $selfLink; + public function setChildLink($childLink) { + $this->childLink = $childLink; + } + public function getChildLink() { + return $this->childLink; + } + public function setId($id) { + $this->id = $id; + } + public function getId() { + return $this->id; + } + public function setKind($kind) { + $this->kind = $kind; + } + public function getKind() { + return $this->kind; + } + public function setSelfLink($selfLink) { + $this->selfLink = $selfLink; + } + public function getSelfLink() { + return $this->selfLink; + } +} + +class Google_Comment extends Google_Model { + public $anchor; + protected $__authorType = 'Google_User'; + protected $__authorDataType = ''; + public $author; + public $commentId; + public $content; + protected $__contextType = 'Google_CommentContext'; + protected $__contextDataType = ''; + public $context; + public $createdDate; + public $deleted; + public $fileId; + public $fileTitle; + public $htmlContent; + public $kind; + public $modifiedDate; + protected $__repliesType = 'Google_CommentReply'; + protected $__repliesDataType = 'array'; + public $replies; + public $selfLink; + public $status; + public function setAnchor($anchor) { + $this->anchor = $anchor; + } + public function getAnchor() { + return $this->anchor; + } + public function setAuthor(Google_User $author) { + $this->author = $author; + } + public function getAuthor() { + return $this->author; + } + public function setCommentId($commentId) { + $this->commentId = $commentId; + } + public function getCommentId() { + return $this->commentId; + } + public function setContent($content) { + $this->content = $content; + } + public function getContent() { + return $this->content; + } + public function setContext(Google_CommentContext $context) { + $this->context = $context; + } + public function getContext() { + return $this->context; + } + public function setCreatedDate($createdDate) { + $this->createdDate = $createdDate; + } + public function getCreatedDate() { + return $this->createdDate; + } + public function setDeleted($deleted) { + $this->deleted = $deleted; + } + public function getDeleted() { + return $this->deleted; + } + public function setFileId($fileId) { + $this->fileId = $fileId; + } + public function getFileId() { + return $this->fileId; + } + public function setFileTitle($fileTitle) { + $this->fileTitle = $fileTitle; + } + public function getFileTitle() { + return $this->fileTitle; + } + public function setHtmlContent($htmlContent) { + $this->htmlContent = $htmlContent; + } + public function getHtmlContent() { + return $this->htmlContent; + } + public function setKind($kind) { + $this->kind = $kind; + } + public function getKind() { + return $this->kind; + } + public function setModifiedDate($modifiedDate) { + $this->modifiedDate = $modifiedDate; + } + public function getModifiedDate() { + return $this->modifiedDate; + } + public function setReplies(/* array(Google_CommentReply) */ $replies) { + $this->assertIsArray($replies, 'Google_CommentReply', __METHOD__); + $this->replies = $replies; + } + public function getReplies() { + return $this->replies; + } + public function setSelfLink($selfLink) { + $this->selfLink = $selfLink; + } + public function getSelfLink() { + return $this->selfLink; + } + public function setStatus($status) { + $this->status = $status; + } + public function getStatus() { + return $this->status; + } +} + +class Google_CommentContext extends Google_Model { + public $type; + public $value; + public function setType($type) { + $this->type = $type; + } + public function getType() { + return $this->type; + } + public function setValue($value) { + $this->value = $value; + } + public function getValue() { + return $this->value; + } +} + +class Google_CommentList extends Google_Model { + protected $__itemsType = 'Google_Comment'; + protected $__itemsDataType = 'array'; + public $items; + public $kind; + public $nextPageToken; + public function setItems(/* array(Google_Comment) */ $items) { + $this->assertIsArray($items, 'Google_Comment', __METHOD__); + $this->items = $items; + } + public function getItems() { + return $this->items; + } + public function setKind($kind) { + $this->kind = $kind; + } + public function getKind() { + return $this->kind; + } + public function setNextPageToken($nextPageToken) { + $this->nextPageToken = $nextPageToken; + } + public function getNextPageToken() { + return $this->nextPageToken; + } +} + +class Google_CommentReply extends Google_Model { + protected $__authorType = 'Google_User'; + protected $__authorDataType = ''; + public $author; + public $content; + public $createdDate; + public $deleted; + public $htmlContent; + public $kind; + public $modifiedDate; + public $replyId; + public $verb; + public function setAuthor(Google_User $author) { + $this->author = $author; + } + public function getAuthor() { + return $this->author; + } + public function setContent($content) { + $this->content = $content; + } + public function getContent() { + return $this->content; + } + public function setCreatedDate($createdDate) { + $this->createdDate = $createdDate; + } + public function getCreatedDate() { + return $this->createdDate; + } + public function setDeleted($deleted) { + $this->deleted = $deleted; + } + public function getDeleted() { + return $this->deleted; + } + public function setHtmlContent($htmlContent) { + $this->htmlContent = $htmlContent; + } + public function getHtmlContent() { + return $this->htmlContent; + } + public function setKind($kind) { + $this->kind = $kind; + } + public function getKind() { + return $this->kind; + } + public function setModifiedDate($modifiedDate) { + $this->modifiedDate = $modifiedDate; + } + public function getModifiedDate() { + return $this->modifiedDate; + } + public function setReplyId($replyId) { + $this->replyId = $replyId; + } + public function getReplyId() { + return $this->replyId; + } + public function setVerb($verb) { + $this->verb = $verb; + } + public function getVerb() { + return $this->verb; + } +} + +class Google_CommentReplyList extends Google_Model { + protected $__itemsType = 'Google_CommentReply'; + protected $__itemsDataType = 'array'; + public $items; + public $kind; + public $nextPageToken; + public function setItems(/* array(Google_CommentReply) */ $items) { + $this->assertIsArray($items, 'Google_CommentReply', __METHOD__); + $this->items = $items; + } + public function getItems() { + return $this->items; + } + public function setKind($kind) { + $this->kind = $kind; + } + public function getKind() { + return $this->kind; + } + public function setNextPageToken($nextPageToken) { + $this->nextPageToken = $nextPageToken; + } + public function getNextPageToken() { + return $this->nextPageToken; + } +} + +class Google_DriveFile extends Google_Model { + public $alternateLink; + public $appDataContents; + public $createdDate; + public $description; + public $downloadUrl; + public $editable; + public $embedLink; + public $etag; + public $explicitlyTrashed; + public $exportLinks; + public $fileExtension; + public $fileSize; + public $iconLink; + public $id; + protected $__imageMediaMetadataType = 'Google_DriveFileImageMediaMetadata'; + protected $__imageMediaMetadataDataType = ''; + public $imageMediaMetadata; + protected $__indexableTextType = 'Google_DriveFileIndexableText'; + protected $__indexableTextDataType = ''; + public $indexableText; + public $kind; + protected $__labelsType = 'Google_DriveFileLabels'; + protected $__labelsDataType = ''; + public $labels; + protected $__lastModifyingUserType = 'Google_User'; + protected $__lastModifyingUserDataType = ''; + public $lastModifyingUser; + public $lastModifyingUserName; + public $lastViewedByMeDate; + public $md5Checksum; + public $mimeType; + public $modifiedByMeDate; + public $modifiedDate; + public $originalFilename; + public $ownerNames; + protected $__ownersType = 'Google_User'; + protected $__ownersDataType = 'array'; + public $owners; + protected $__parentsType = 'Google_ParentReference'; + protected $__parentsDataType = 'array'; + public $parents; + public $quotaBytesUsed; + public $selfLink; + public $shared; + public $sharedWithMeDate; + protected $__thumbnailType = 'Google_DriveFileThumbnail'; + protected $__thumbnailDataType = ''; + public $thumbnail; + public $thumbnailLink; + public $title; + protected $__userPermissionType = 'Google_Permission'; + protected $__userPermissionDataType = ''; + public $userPermission; + public $webContentLink; + public $webViewLink; + public $writersCanShare; + public function setAlternateLink($alternateLink) { + $this->alternateLink = $alternateLink; + } + public function getAlternateLink() { + return $this->alternateLink; + } + public function setAppDataContents($appDataContents) { + $this->appDataContents = $appDataContents; + } + public function getAppDataContents() { + return $this->appDataContents; + } + public function setCreatedDate($createdDate) { + $this->createdDate = $createdDate; + } + public function getCreatedDate() { + return $this->createdDate; + } + public function setDescription($description) { + $this->description = $description; + } + public function getDescription() { + return $this->description; + } + public function setDownloadUrl($downloadUrl) { + $this->downloadUrl = $downloadUrl; + } + public function getDownloadUrl() { + return $this->downloadUrl; + } + public function setEditable($editable) { + $this->editable = $editable; + } + public function getEditable() { + return $this->editable; + } + public function setEmbedLink($embedLink) { + $this->embedLink = $embedLink; + } + public function getEmbedLink() { + return $this->embedLink; + } + public function setEtag($etag) { + $this->etag = $etag; + } + public function getEtag() { + return $this->etag; + } + public function setExplicitlyTrashed($explicitlyTrashed) { + $this->explicitlyTrashed = $explicitlyTrashed; + } + public function getExplicitlyTrashed() { + return $this->explicitlyTrashed; + } + public function setExportLinks($exportLinks) { + $this->exportLinks = $exportLinks; + } + public function getExportLinks() { + return $this->exportLinks; + } + public function setFileExtension($fileExtension) { + $this->fileExtension = $fileExtension; + } + public function getFileExtension() { + return $this->fileExtension; + } + public function setFileSize($fileSize) { + $this->fileSize = $fileSize; + } + public function getFileSize() { + return $this->fileSize; + } + public function setIconLink($iconLink) { + $this->iconLink = $iconLink; + } + public function getIconLink() { + return $this->iconLink; + } + public function setId($id) { + $this->id = $id; + } + public function getId() { + return $this->id; + } + public function setImageMediaMetadata(Google_DriveFileImageMediaMetadata $imageMediaMetadata) { + $this->imageMediaMetadata = $imageMediaMetadata; + } + public function getImageMediaMetadata() { + return $this->imageMediaMetadata; + } + public function setIndexableText(Google_DriveFileIndexableText $indexableText) { + $this->indexableText = $indexableText; + } + public function getIndexableText() { + return $this->indexableText; + } + public function setKind($kind) { + $this->kind = $kind; + } + public function getKind() { + return $this->kind; + } + public function setLabels(Google_DriveFileLabels $labels) { + $this->labels = $labels; + } + public function getLabels() { + return $this->labels; + } + public function setLastModifyingUser(Google_User $lastModifyingUser) { + $this->lastModifyingUser = $lastModifyingUser; + } + public function getLastModifyingUser() { + return $this->lastModifyingUser; + } + public function setLastModifyingUserName($lastModifyingUserName) { + $this->lastModifyingUserName = $lastModifyingUserName; + } + public function getLastModifyingUserName() { + return $this->lastModifyingUserName; + } + public function setLastViewedByMeDate($lastViewedByMeDate) { + $this->lastViewedByMeDate = $lastViewedByMeDate; + } + public function getLastViewedByMeDate() { + return $this->lastViewedByMeDate; + } + public function setMd5Checksum($md5Checksum) { + $this->md5Checksum = $md5Checksum; + } + public function getMd5Checksum() { + return $this->md5Checksum; + } + public function setMimeType($mimeType) { + $this->mimeType = $mimeType; + } + public function getMimeType() { + return $this->mimeType; + } + public function setModifiedByMeDate($modifiedByMeDate) { + $this->modifiedByMeDate = $modifiedByMeDate; + } + public function getModifiedByMeDate() { + return $this->modifiedByMeDate; + } + public function setModifiedDate($modifiedDate) { + $this->modifiedDate = $modifiedDate; + } + public function getModifiedDate() { + return $this->modifiedDate; + } + public function setOriginalFilename($originalFilename) { + $this->originalFilename = $originalFilename; + } + public function getOriginalFilename() { + return $this->originalFilename; + } + public function setOwnerNames(/* array(Google_string) */ $ownerNames) { + $this->assertIsArray($ownerNames, 'Google_string', __METHOD__); + $this->ownerNames = $ownerNames; + } + public function getOwnerNames() { + return $this->ownerNames; + } + public function setOwners(/* array(Google_User) */ $owners) { + $this->assertIsArray($owners, 'Google_User', __METHOD__); + $this->owners = $owners; + } + public function getOwners() { + return $this->owners; + } + public function setParents(/* array(Google_ParentReference) */ $parents) { + $this->assertIsArray($parents, 'Google_ParentReference', __METHOD__); + $this->parents = $parents; + } + public function getParents() { + return $this->parents; + } + public function setQuotaBytesUsed($quotaBytesUsed) { + $this->quotaBytesUsed = $quotaBytesUsed; + } + public function getQuotaBytesUsed() { + return $this->quotaBytesUsed; + } + public function setSelfLink($selfLink) { + $this->selfLink = $selfLink; + } + public function getSelfLink() { + return $this->selfLink; + } + public function setShared($shared) { + $this->shared = $shared; + } + public function getShared() { + return $this->shared; + } + public function setSharedWithMeDate($sharedWithMeDate) { + $this->sharedWithMeDate = $sharedWithMeDate; + } + public function getSharedWithMeDate() { + return $this->sharedWithMeDate; + } + public function setThumbnail(Google_DriveFileThumbnail $thumbnail) { + $this->thumbnail = $thumbnail; + } + public function getThumbnail() { + return $this->thumbnail; + } + public function setThumbnailLink($thumbnailLink) { + $this->thumbnailLink = $thumbnailLink; + } + public function getThumbnailLink() { + return $this->thumbnailLink; + } + public function setTitle($title) { + $this->title = $title; + } + public function getTitle() { + return $this->title; + } + public function setUserPermission(Google_Permission $userPermission) { + $this->userPermission = $userPermission; + } + public function getUserPermission() { + return $this->userPermission; + } + public function setWebContentLink($webContentLink) { + $this->webContentLink = $webContentLink; + } + public function getWebContentLink() { + return $this->webContentLink; + } + public function setWebViewLink($webViewLink) { + $this->webViewLink = $webViewLink; + } + public function getWebViewLink() { + return $this->webViewLink; + } + public function setWritersCanShare($writersCanShare) { + $this->writersCanShare = $writersCanShare; + } + public function getWritersCanShare() { + return $this->writersCanShare; + } +} + +class Google_DriveFileImageMediaMetadata extends Google_Model { + public $aperture; + public $cameraMake; + public $cameraModel; + public $colorSpace; + public $date; + public $exposureBias; + public $exposureMode; + public $exposureTime; + public $flashUsed; + public $focalLength; + public $height; + public $isoSpeed; + public $lens; + protected $__locationType = 'Google_DriveFileImageMediaMetadataLocation'; + protected $__locationDataType = ''; + public $location; + public $maxApertureValue; + public $meteringMode; + public $rotation; + public $sensor; + public $subjectDistance; + public $whiteBalance; + public $width; + public function setAperture($aperture) { + $this->aperture = $aperture; + } + public function getAperture() { + return $this->aperture; + } + public function setCameraMake($cameraMake) { + $this->cameraMake = $cameraMake; + } + public function getCameraMake() { + return $this->cameraMake; + } + public function setCameraModel($cameraModel) { + $this->cameraModel = $cameraModel; + } + public function getCameraModel() { + return $this->cameraModel; + } + public function setColorSpace($colorSpace) { + $this->colorSpace = $colorSpace; + } + public function getColorSpace() { + return $this->colorSpace; + } + public function setDate($date) { + $this->date = $date; + } + public function getDate() { + return $this->date; + } + public function setExposureBias($exposureBias) { + $this->exposureBias = $exposureBias; + } + public function getExposureBias() { + return $this->exposureBias; + } + public function setExposureMode($exposureMode) { + $this->exposureMode = $exposureMode; + } + public function getExposureMode() { + return $this->exposureMode; + } + public function setExposureTime($exposureTime) { + $this->exposureTime = $exposureTime; + } + public function getExposureTime() { + return $this->exposureTime; + } + public function setFlashUsed($flashUsed) { + $this->flashUsed = $flashUsed; + } + public function getFlashUsed() { + return $this->flashUsed; + } + public function setFocalLength($focalLength) { + $this->focalLength = $focalLength; + } + public function getFocalLength() { + return $this->focalLength; + } + public function setHeight($height) { + $this->height = $height; + } + public function getHeight() { + return $this->height; + } + public function setIsoSpeed($isoSpeed) { + $this->isoSpeed = $isoSpeed; + } + public function getIsoSpeed() { + return $this->isoSpeed; + } + public function setLens($lens) { + $this->lens = $lens; + } + public function getLens() { + return $this->lens; + } + public function setLocation(Google_DriveFileImageMediaMetadataLocation $location) { + $this->location = $location; + } + public function getLocation() { + return $this->location; + } + public function setMaxApertureValue($maxApertureValue) { + $this->maxApertureValue = $maxApertureValue; + } + public function getMaxApertureValue() { + return $this->maxApertureValue; + } + public function setMeteringMode($meteringMode) { + $this->meteringMode = $meteringMode; + } + public function getMeteringMode() { + return $this->meteringMode; + } + public function setRotation($rotation) { + $this->rotation = $rotation; + } + public function getRotation() { + return $this->rotation; + } + public function setSensor($sensor) { + $this->sensor = $sensor; + } + public function getSensor() { + return $this->sensor; + } + public function setSubjectDistance($subjectDistance) { + $this->subjectDistance = $subjectDistance; + } + public function getSubjectDistance() { + return $this->subjectDistance; + } + public function setWhiteBalance($whiteBalance) { + $this->whiteBalance = $whiteBalance; + } + public function getWhiteBalance() { + return $this->whiteBalance; + } + public function setWidth($width) { + $this->width = $width; + } + public function getWidth() { + return $this->width; + } +} + +class Google_DriveFileImageMediaMetadataLocation extends Google_Model { + public $altitude; + public $latitude; + public $longitude; + public function setAltitude($altitude) { + $this->altitude = $altitude; + } + public function getAltitude() { + return $this->altitude; + } + public function setLatitude($latitude) { + $this->latitude = $latitude; + } + public function getLatitude() { + return $this->latitude; + } + public function setLongitude($longitude) { + $this->longitude = $longitude; + } + public function getLongitude() { + return $this->longitude; + } +} + +class Google_DriveFileIndexableText extends Google_Model { + public $text; + public function setText($text) { + $this->text = $text; + } + public function getText() { + return $this->text; + } +} + +class Google_DriveFileLabels extends Google_Model { + public $hidden; + public $restricted; + public $starred; + public $trashed; + public $viewed; + public function setHidden($hidden) { + $this->hidden = $hidden; + } + public function getHidden() { + return $this->hidden; + } + public function setRestricted($restricted) { + $this->restricted = $restricted; + } + public function getRestricted() { + return $this->restricted; + } + public function setStarred($starred) { + $this->starred = $starred; + } + public function getStarred() { + return $this->starred; + } + public function setTrashed($trashed) { + $this->trashed = $trashed; + } + public function getTrashed() { + return $this->trashed; + } + public function setViewed($viewed) { + $this->viewed = $viewed; + } + public function getViewed() { + return $this->viewed; + } +} + +class Google_DriveFileThumbnail extends Google_Model { + public $image; + public $mimeType; + public function setImage($image) { + $this->image = $image; + } + public function getImage() { + return $this->image; + } + public function setMimeType($mimeType) { + $this->mimeType = $mimeType; + } + public function getMimeType() { + return $this->mimeType; + } +} + +class Google_FileList extends Google_Model { + public $etag; + protected $__itemsType = 'Google_DriveFile'; + protected $__itemsDataType = 'array'; + public $items; + public $kind; + public $nextLink; + public $nextPageToken; + public $selfLink; + public function setEtag($etag) { + $this->etag = $etag; + } + public function getEtag() { + return $this->etag; + } + public function setItems(/* array(Google_DriveFile) */ $items) { + $this->assertIsArray($items, 'Google_DriveFile', __METHOD__); + $this->items = $items; + } + public function getItems() { + return $this->items; + } + public function setKind($kind) { + $this->kind = $kind; + } + public function getKind() { + return $this->kind; + } + public function setNextLink($nextLink) { + $this->nextLink = $nextLink; + } + public function getNextLink() { + return $this->nextLink; + } + public function setNextPageToken($nextPageToken) { + $this->nextPageToken = $nextPageToken; + } + public function getNextPageToken() { + return $this->nextPageToken; + } + public function setSelfLink($selfLink) { + $this->selfLink = $selfLink; + } + public function getSelfLink() { + return $this->selfLink; + } +} + +class Google_ParentList extends Google_Model { + public $etag; + protected $__itemsType = 'Google_ParentReference'; + protected $__itemsDataType = 'array'; + public $items; + public $kind; + public $selfLink; + public function setEtag($etag) { + $this->etag = $etag; + } + public function getEtag() { + return $this->etag; + } + public function setItems(/* array(Google_ParentReference) */ $items) { + $this->assertIsArray($items, 'Google_ParentReference', __METHOD__); + $this->items = $items; + } + public function getItems() { + return $this->items; + } + public function setKind($kind) { + $this->kind = $kind; + } + public function getKind() { + return $this->kind; + } + public function setSelfLink($selfLink) { + $this->selfLink = $selfLink; + } + public function getSelfLink() { + return $this->selfLink; + } +} + +class Google_ParentReference extends Google_Model { + public $id; + public $isRoot; + public $kind; + public $parentLink; + public $selfLink; + public function setId($id) { + $this->id = $id; + } + public function getId() { + return $this->id; + } + public function setIsRoot($isRoot) { + $this->isRoot = $isRoot; + } + public function getIsRoot() { + return $this->isRoot; + } + public function setKind($kind) { + $this->kind = $kind; + } + public function getKind() { + return $this->kind; + } + public function setParentLink($parentLink) { + $this->parentLink = $parentLink; + } + public function getParentLink() { + return $this->parentLink; + } + public function setSelfLink($selfLink) { + $this->selfLink = $selfLink; + } + public function getSelfLink() { + return $this->selfLink; + } +} + +class Google_Permission extends Google_Model { + public $additionalRoles; + public $authKey; + public $etag; + public $id; + public $kind; + public $name; + public $photoLink; + public $role; + public $selfLink; + public $type; + public $value; + public $withLink; + public function setAdditionalRoles(/* array(Google_string) */ $additionalRoles) { + $this->assertIsArray($additionalRoles, 'Google_string', __METHOD__); + $this->additionalRoles = $additionalRoles; + } + public function getAdditionalRoles() { + return $this->additionalRoles; + } + public function setAuthKey($authKey) { + $this->authKey = $authKey; + } + public function getAuthKey() { + return $this->authKey; + } + public function setEtag($etag) { + $this->etag = $etag; + } + public function getEtag() { + return $this->etag; + } + public function setId($id) { + $this->id = $id; + } + public function getId() { + return $this->id; + } + public function setKind($kind) { + $this->kind = $kind; + } + public function getKind() { + return $this->kind; + } + public function setName($name) { + $this->name = $name; + } + public function getName() { + return $this->name; + } + public function setPhotoLink($photoLink) { + $this->photoLink = $photoLink; + } + public function getPhotoLink() { + return $this->photoLink; + } + public function setRole($role) { + $this->role = $role; + } + public function getRole() { + return $this->role; + } + public function setSelfLink($selfLink) { + $this->selfLink = $selfLink; + } + public function getSelfLink() { + return $this->selfLink; + } + public function setType($type) { + $this->type = $type; + } + public function getType() { + return $this->type; + } + public function setValue($value) { + $this->value = $value; + } + public function getValue() { + return $this->value; + } + public function setWithLink($withLink) { + $this->withLink = $withLink; + } + public function getWithLink() { + return $this->withLink; + } +} + +class Google_PermissionList extends Google_Model { + public $etag; + protected $__itemsType = 'Google_Permission'; + protected $__itemsDataType = 'array'; + public $items; + public $kind; + public $selfLink; + public function setEtag($etag) { + $this->etag = $etag; + } + public function getEtag() { + return $this->etag; + } + public function setItems(/* array(Google_Permission) */ $items) { + $this->assertIsArray($items, 'Google_Permission', __METHOD__); + $this->items = $items; + } + public function getItems() { + return $this->items; + } + public function setKind($kind) { + $this->kind = $kind; + } + public function getKind() { + return $this->kind; + } + public function setSelfLink($selfLink) { + $this->selfLink = $selfLink; + } + public function getSelfLink() { + return $this->selfLink; + } +} + +class Google_Property extends Google_Model { + public $etag; + public $key; + public $kind; + public $selfLink; + public $value; + public $visibility; + public function setEtag($etag) { + $this->etag = $etag; + } + public function getEtag() { + return $this->etag; + } + public function setKey($key) { + $this->key = $key; + } + public function getKey() { + return $this->key; + } + public function setKind($kind) { + $this->kind = $kind; + } + public function getKind() { + return $this->kind; + } + public function setSelfLink($selfLink) { + $this->selfLink = $selfLink; + } + public function getSelfLink() { + return $this->selfLink; + } + public function setValue($value) { + $this->value = $value; + } + public function getValue() { + return $this->value; + } + public function setVisibility($visibility) { + $this->visibility = $visibility; + } + public function getVisibility() { + return $this->visibility; + } +} + +class Google_PropertyList extends Google_Model { + public $etag; + protected $__itemsType = 'Google_Property'; + protected $__itemsDataType = 'array'; + public $items; + public $kind; + public $selfLink; + public function setEtag($etag) { + $this->etag = $etag; + } + public function getEtag() { + return $this->etag; + } + public function setItems(/* array(Google_Property) */ $items) { + $this->assertIsArray($items, 'Google_Property', __METHOD__); + $this->items = $items; + } + public function getItems() { + return $this->items; + } + public function setKind($kind) { + $this->kind = $kind; + } + public function getKind() { + return $this->kind; + } + public function setSelfLink($selfLink) { + $this->selfLink = $selfLink; + } + public function getSelfLink() { + return $this->selfLink; + } +} + +class Google_Revision extends Google_Model { + public $downloadUrl; + public $etag; + public $exportLinks; + public $fileSize; + public $id; + public $kind; + protected $__lastModifyingUserType = 'Google_User'; + protected $__lastModifyingUserDataType = ''; + public $lastModifyingUser; + public $lastModifyingUserName; + public $md5Checksum; + public $mimeType; + public $modifiedDate; + public $originalFilename; + public $pinned; + public $publishAuto; + public $published; + public $publishedLink; + public $publishedOutsideDomain; + public $selfLink; + public function setDownloadUrl($downloadUrl) { + $this->downloadUrl = $downloadUrl; + } + public function getDownloadUrl() { + return $this->downloadUrl; + } + public function setEtag($etag) { + $this->etag = $etag; + } + public function getEtag() { + return $this->etag; + } + public function setExportLinks($exportLinks) { + $this->exportLinks = $exportLinks; + } + public function getExportLinks() { + return $this->exportLinks; + } + public function setFileSize($fileSize) { + $this->fileSize = $fileSize; + } + public function getFileSize() { + return $this->fileSize; + } + public function setId($id) { + $this->id = $id; + } + public function getId() { + return $this->id; + } + public function setKind($kind) { + $this->kind = $kind; + } + public function getKind() { + return $this->kind; + } + public function setLastModifyingUser(Google_User $lastModifyingUser) { + $this->lastModifyingUser = $lastModifyingUser; + } + public function getLastModifyingUser() { + return $this->lastModifyingUser; + } + public function setLastModifyingUserName($lastModifyingUserName) { + $this->lastModifyingUserName = $lastModifyingUserName; + } + public function getLastModifyingUserName() { + return $this->lastModifyingUserName; + } + public function setMd5Checksum($md5Checksum) { + $this->md5Checksum = $md5Checksum; + } + public function getMd5Checksum() { + return $this->md5Checksum; + } + public function setMimeType($mimeType) { + $this->mimeType = $mimeType; + } + public function getMimeType() { + return $this->mimeType; + } + public function setModifiedDate($modifiedDate) { + $this->modifiedDate = $modifiedDate; + } + public function getModifiedDate() { + return $this->modifiedDate; + } + public function setOriginalFilename($originalFilename) { + $this->originalFilename = $originalFilename; + } + public function getOriginalFilename() { + return $this->originalFilename; + } + public function setPinned($pinned) { + $this->pinned = $pinned; + } + public function getPinned() { + return $this->pinned; + } + public function setPublishAuto($publishAuto) { + $this->publishAuto = $publishAuto; + } + public function getPublishAuto() { + return $this->publishAuto; + } + public function setPublished($published) { + $this->published = $published; + } + public function getPublished() { + return $this->published; + } + public function setPublishedLink($publishedLink) { + $this->publishedLink = $publishedLink; + } + public function getPublishedLink() { + return $this->publishedLink; + } + public function setPublishedOutsideDomain($publishedOutsideDomain) { + $this->publishedOutsideDomain = $publishedOutsideDomain; + } + public function getPublishedOutsideDomain() { + return $this->publishedOutsideDomain; + } + public function setSelfLink($selfLink) { + $this->selfLink = $selfLink; + } + public function getSelfLink() { + return $this->selfLink; + } +} + +class Google_RevisionList extends Google_Model { + public $etag; + protected $__itemsType = 'Google_Revision'; + protected $__itemsDataType = 'array'; + public $items; + public $kind; + public $selfLink; + public function setEtag($etag) { + $this->etag = $etag; + } + public function getEtag() { + return $this->etag; + } + public function setItems(/* array(Google_Revision) */ $items) { + $this->assertIsArray($items, 'Google_Revision', __METHOD__); + $this->items = $items; + } + public function getItems() { + return $this->items; + } + public function setKind($kind) { + $this->kind = $kind; + } + public function getKind() { + return $this->kind; + } + public function setSelfLink($selfLink) { + $this->selfLink = $selfLink; + } + public function getSelfLink() { + return $this->selfLink; + } +} + +class Google_User extends Google_Model { + public $displayName; + public $isAuthenticatedUser; + public $kind; + public $permissionId; + protected $__pictureType = 'Google_UserPicture'; + protected $__pictureDataType = ''; + public $picture; + public function setDisplayName($displayName) { + $this->displayName = $displayName; + } + public function getDisplayName() { + return $this->displayName; + } + public function setIsAuthenticatedUser($isAuthenticatedUser) { + $this->isAuthenticatedUser = $isAuthenticatedUser; + } + public function getIsAuthenticatedUser() { + return $this->isAuthenticatedUser; + } + public function setKind($kind) { + $this->kind = $kind; + } + public function getKind() { + return $this->kind; + } + public function setPermissionId($permissionId) { + $this->permissionId = $permissionId; + } + public function getPermissionId() { + return $this->permissionId; + } + public function setPicture(Google_UserPicture $picture) { + $this->picture = $picture; + } + public function getPicture() { + return $this->picture; + } +} + +class Google_UserPicture extends Google_Model { + public $url; + public function setUrl($url) { + $this->url = $url; + } + public function getUrl() { + return $this->url; + } +} diff --git a/apps/files_external/3rdparty/google-api-php-client/src/external/URITemplateParser.php b/apps/files_external/3rdparty/google-api-php-client/src/external/URITemplateParser.php new file mode 100644 index 0000000000..594adbb15e --- /dev/null +++ b/apps/files_external/3rdparty/google-api-php-client/src/external/URITemplateParser.php @@ -0,0 +1,209 @@ +template = $template; + } + + public function expand($data) { + // Modification to make this a bit more performant (since gettype is very slow) + if (! is_array($data)) { + $data = (array)$data; + } + /* + // Original code, which uses a slow gettype() statement, kept in place for if the assumption that is_array always works here is incorrect + switch (gettype($data)) { + case "boolean": + case "integer": + case "double": + case "string": + case "object": + $data = (array)$data; + break; + } +*/ + + // Resolve template vars + preg_match_all('/\{([^\}]*)\}/', $this->template, $em); + + foreach ($em[1] as $i => $bare_expression) { + preg_match('/^([\+\;\?\/\.]{1})?(.*)$/', $bare_expression, $lm); + $exp = new StdClass(); + $exp->expression = $em[0][$i]; + $exp->operator = $lm[1]; + $exp->variable_list = $lm[2]; + $exp->varspecs = explode(',', $exp->variable_list); + $exp->vars = array(); + foreach ($exp->varspecs as $varspec) { + preg_match('/^([a-zA-Z0-9_]+)([\*\+]{1})?([\:\^][0-9-]+)?(\=[^,]+)?$/', $varspec, $vm); + $var = new StdClass(); + $var->name = $vm[1]; + $var->modifier = isset($vm[2]) && $vm[2] ? $vm[2] : null; + $var->modifier = isset($vm[3]) && $vm[3] ? $vm[3] : $var->modifier; + $var->default = isset($vm[4]) ? substr($vm[4], 1) : null; + $exp->vars[] = $var; + } + + // Add processing flags + $exp->reserved = false; + $exp->prefix = ''; + $exp->delimiter = ','; + switch ($exp->operator) { + case '+': + $exp->reserved = 'true'; + break; + case ';': + $exp->prefix = ';'; + $exp->delimiter = ';'; + break; + case '?': + $exp->prefix = '?'; + $exp->delimiter = '&'; + break; + case '/': + $exp->prefix = '/'; + $exp->delimiter = '/'; + break; + case '.': + $exp->prefix = '.'; + $exp->delimiter = '.'; + break; + } + $expressions[] = $exp; + } + + // Expansion + $this->expansion = $this->template; + + foreach ($expressions as $exp) { + $part = $exp->prefix; + $exp->one_var_defined = false; + foreach ($exp->vars as $var) { + $val = ''; + if ($exp->one_var_defined && isset($data[$var->name])) { + $part .= $exp->delimiter; + } + // Variable present + if (isset($data[$var->name])) { + $exp->one_var_defined = true; + $var->data = $data[$var->name]; + + $val = self::val_from_var($var, $exp); + + // Variable missing + } else { + if ($var->default) { + $exp->one_var_defined = true; + $val = $var->default; + } + } + $part .= $val; + } + if (! $exp->one_var_defined) $part = ''; + $this->expansion = str_replace($exp->expression, $part, $this->expansion); + } + + return $this->expansion; + } + + private function val_from_var($var, $exp) { + $val = ''; + if (is_array($var->data)) { + $i = 0; + if ($exp->operator == '?' && ! $var->modifier) { + $val .= $var->name . '='; + } + foreach ($var->data as $k => $v) { + $del = $var->modifier ? $exp->delimiter : ','; + $ek = rawurlencode($k); + $ev = rawurlencode($v); + + // Array + if ($k !== $i) { + if ($var->modifier == '+') { + $val .= $var->name . '.'; + } + if ($exp->operator == '?' && $var->modifier || $exp->operator == ';' && $var->modifier == '*' || $exp->operator == ';' && $var->modifier == '+') { + $val .= $ek . '='; + } else { + $val .= $ek . $del; + } + + // List + } else { + if ($var->modifier == '+') { + if ($exp->operator == ';' && $var->modifier == '*' || $exp->operator == ';' && $var->modifier == '+' || $exp->operator == '?' && $var->modifier == '+') { + $val .= $var->name . '='; + } else { + $val .= $var->name . '.'; + } + } + } + $val .= $ev . $del; + $i ++; + } + $val = trim($val, $del); + + // Strings, numbers, etc. + } else { + if ($exp->operator == '?') { + $val = $var->name . (isset($var->data) ? '=' : ''); + } else if ($exp->operator == ';') { + $val = $var->name . ($var->data ? '=' : ''); + } + $val .= rawurlencode($var->data); + if ($exp->operator == '+') { + $val = str_replace(self::$reserved_pct, self::$reserved, $val); + } + } + return $val; + } + + public function match($uri) {} + + public function __toString() { + return $this->template; + } +} diff --git a/apps/files_external/3rdparty/google-api-php-client/src/io/Google_CacheParser.php b/apps/files_external/3rdparty/google-api-php-client/src/io/Google_CacheParser.php new file mode 100644 index 0000000000..7f5accfefe --- /dev/null +++ b/apps/files_external/3rdparty/google-api-php-client/src/io/Google_CacheParser.php @@ -0,0 +1,173 @@ + + */ +class Google_CacheParser { + public static $CACHEABLE_HTTP_METHODS = array('GET', 'HEAD'); + public static $CACHEABLE_STATUS_CODES = array('200', '203', '300', '301'); + + private function __construct() {} + + /** + * Check if an HTTP request can be cached by a private local cache. + * + * @static + * @param Google_HttpRequest $resp + * @return bool True if the request is cacheable. + * False if the request is uncacheable. + */ + public static function isRequestCacheable (Google_HttpRequest $resp) { + $method = $resp->getRequestMethod(); + if (! in_array($method, self::$CACHEABLE_HTTP_METHODS)) { + return false; + } + + // Don't cache authorized requests/responses. + // [rfc2616-14.8] When a shared cache receives a request containing an + // Authorization field, it MUST NOT return the corresponding response + // as a reply to any other request... + if ($resp->getRequestHeader("authorization")) { + return false; + } + + return true; + } + + /** + * Check if an HTTP response can be cached by a private local cache. + * + * @static + * @param Google_HttpRequest $resp + * @return bool True if the response is cacheable. + * False if the response is un-cacheable. + */ + public static function isResponseCacheable (Google_HttpRequest $resp) { + // First, check if the HTTP request was cacheable before inspecting the + // HTTP response. + if (false == self::isRequestCacheable($resp)) { + return false; + } + + $code = $resp->getResponseHttpCode(); + if (! in_array($code, self::$CACHEABLE_STATUS_CODES)) { + return false; + } + + // The resource is uncacheable if the resource is already expired and + // the resource doesn't have an ETag for revalidation. + $etag = $resp->getResponseHeader("etag"); + if (self::isExpired($resp) && $etag == false) { + return false; + } + + // [rfc2616-14.9.2] If [no-store is] sent in a response, a cache MUST NOT + // store any part of either this response or the request that elicited it. + $cacheControl = $resp->getParsedCacheControl(); + if (isset($cacheControl['no-store'])) { + return false; + } + + // Pragma: no-cache is an http request directive, but is occasionally + // used as a response header incorrectly. + $pragma = $resp->getResponseHeader('pragma'); + if ($pragma == 'no-cache' || strpos($pragma, 'no-cache') !== false) { + return false; + } + + // [rfc2616-14.44] Vary: * is extremely difficult to cache. "It implies that + // a cache cannot determine from the request headers of a subsequent request + // whether this response is the appropriate representation." + // Given this, we deem responses with the Vary header as uncacheable. + $vary = $resp->getResponseHeader('vary'); + if ($vary) { + return false; + } + + return true; + } + + /** + * @static + * @param Google_HttpRequest $resp + * @return bool True if the HTTP response is considered to be expired. + * False if it is considered to be fresh. + */ + public static function isExpired(Google_HttpRequest $resp) { + // HTTP/1.1 clients and caches MUST treat other invalid date formats, + // especially including the value “0”, as in the past. + $parsedExpires = false; + $responseHeaders = $resp->getResponseHeaders(); + if (isset($responseHeaders['expires'])) { + $rawExpires = $responseHeaders['expires']; + // Check for a malformed expires header first. + if (empty($rawExpires) || (is_numeric($rawExpires) && $rawExpires <= 0)) { + return true; + } + + // See if we can parse the expires header. + $parsedExpires = strtotime($rawExpires); + if (false == $parsedExpires || $parsedExpires <= 0) { + return true; + } + } + + // Calculate the freshness of an http response. + $freshnessLifetime = false; + $cacheControl = $resp->getParsedCacheControl(); + if (isset($cacheControl['max-age'])) { + $freshnessLifetime = $cacheControl['max-age']; + } + + $rawDate = $resp->getResponseHeader('date'); + $parsedDate = strtotime($rawDate); + + if (empty($rawDate) || false == $parsedDate) { + $parsedDate = time(); + } + if (false == $freshnessLifetime && isset($responseHeaders['expires'])) { + $freshnessLifetime = $parsedExpires - $parsedDate; + } + + if (false == $freshnessLifetime) { + return true; + } + + // Calculate the age of an http response. + $age = max(0, time() - $parsedDate); + if (isset($responseHeaders['age'])) { + $age = max($age, strtotime($responseHeaders['age'])); + } + + return $freshnessLifetime <= $age; + } + + /** + * Determine if a cache entry should be revalidated with by the origin. + * + * @param Google_HttpRequest $response + * @return bool True if the entry is expired, else return false. + */ + public static function mustRevalidate(Google_HttpRequest $response) { + // [13.3] When a cache has a stale entry that it would like to use as a + // response to a client's request, it first has to check with the origin + // server to see if its cached entry is still usable. + return self::isExpired($response); + } +} \ No newline at end of file diff --git a/apps/files_external/3rdparty/google-api-php-client/src/io/Google_CurlIO.php b/apps/files_external/3rdparty/google-api-php-client/src/io/Google_CurlIO.php new file mode 100644 index 0000000000..65352f2988 --- /dev/null +++ b/apps/files_external/3rdparty/google-api-php-client/src/io/Google_CurlIO.php @@ -0,0 +1,278 @@ + + * @author Chirag Shah + */ + +require_once 'Google_CacheParser.php'; + +class Google_CurlIO implements Google_IO { + const CONNECTION_ESTABLISHED = "HTTP/1.0 200 Connection established\r\n\r\n"; + const FORM_URLENCODED = 'application/x-www-form-urlencoded'; + + private static $ENTITY_HTTP_METHODS = array("POST" => null, "PUT" => null); + private static $HOP_BY_HOP = array( + 'connection', 'keep-alive', 'proxy-authenticate', 'proxy-authorization', + 'te', 'trailers', 'transfer-encoding', 'upgrade'); + + private $curlParams = array ( + CURLOPT_RETURNTRANSFER => true, + CURLOPT_FOLLOWLOCATION => 0, + CURLOPT_FAILONERROR => false, + CURLOPT_SSL_VERIFYPEER => true, + CURLOPT_HEADER => true, + CURLOPT_VERBOSE => false, + ); + + /** + * Perform an authenticated / signed apiHttpRequest. + * This function takes the apiHttpRequest, calls apiAuth->sign on it + * (which can modify the request in what ever way fits the auth mechanism) + * and then calls apiCurlIO::makeRequest on the signed request + * + * @param Google_HttpRequest $request + * @return Google_HttpRequest The resulting HTTP response including the + * responseHttpCode, responseHeaders and responseBody. + */ + public function authenticatedRequest(Google_HttpRequest $request) { + $request = Google_Client::$auth->sign($request); + return $this->makeRequest($request); + } + + /** + * Execute a apiHttpRequest + * + * @param Google_HttpRequest $request the http request to be executed + * @return Google_HttpRequest http request with the response http code, response + * headers and response body filled in + * @throws Google_IOException on curl or IO error + */ + public function makeRequest(Google_HttpRequest $request) { + // First, check to see if we have a valid cached version. + $cached = $this->getCachedRequest($request); + if ($cached !== false) { + if (Google_CacheParser::mustRevalidate($cached)) { + $addHeaders = array(); + if ($cached->getResponseHeader('etag')) { + // [13.3.4] If an entity tag has been provided by the origin server, + // we must use that entity tag in any cache-conditional request. + $addHeaders['If-None-Match'] = $cached->getResponseHeader('etag'); + } elseif ($cached->getResponseHeader('date')) { + $addHeaders['If-Modified-Since'] = $cached->getResponseHeader('date'); + } + + $request->setRequestHeaders($addHeaders); + } else { + // No need to revalidate the request, return it directly + return $cached; + } + } + + if (array_key_exists($request->getRequestMethod(), + self::$ENTITY_HTTP_METHODS)) { + $request = $this->processEntityRequest($request); + } + + $ch = curl_init(); + curl_setopt_array($ch, $this->curlParams); + curl_setopt($ch, CURLOPT_URL, $request->getUrl()); + if ($request->getPostBody()) { + curl_setopt($ch, CURLOPT_POSTFIELDS, $request->getPostBody()); + } + + $requestHeaders = $request->getRequestHeaders(); + if ($requestHeaders && is_array($requestHeaders)) { + $parsed = array(); + foreach ($requestHeaders as $k => $v) { + $parsed[] = "$k: $v"; + } + curl_setopt($ch, CURLOPT_HTTPHEADER, $parsed); + } + + curl_setopt($ch, CURLOPT_CUSTOMREQUEST, $request->getRequestMethod()); + curl_setopt($ch, CURLOPT_USERAGENT, $request->getUserAgent()); + $respData = curl_exec($ch); + + // Retry if certificates are missing. + if (curl_errno($ch) == CURLE_SSL_CACERT) { + error_log('SSL certificate problem, verify that the CA cert is OK.' + . ' Retrying with the CA cert bundle from google-api-php-client.'); + curl_setopt($ch, CURLOPT_CAINFO, dirname(__FILE__) . '/cacerts.pem'); + $respData = curl_exec($ch); + } + + $respHeaderSize = curl_getinfo($ch, CURLINFO_HEADER_SIZE); + $respHttpCode = (int) curl_getinfo($ch, CURLINFO_HTTP_CODE); + $curlErrorNum = curl_errno($ch); + $curlError = curl_error($ch); + curl_close($ch); + if ($curlErrorNum != CURLE_OK) { + throw new Google_IOException("HTTP Error: ($respHttpCode) $curlError"); + } + + // Parse out the raw response into usable bits + list($responseHeaders, $responseBody) = + self::parseHttpResponse($respData, $respHeaderSize); + + if ($respHttpCode == 304 && $cached) { + // If the server responded NOT_MODIFIED, return the cached request. + if (isset($responseHeaders['connection'])) { + $hopByHop = array_merge( + self::$HOP_BY_HOP, + explode(',', $responseHeaders['connection']) + ); + + $endToEnd = array(); + foreach($hopByHop as $key) { + if (isset($responseHeaders[$key])) { + $endToEnd[$key] = $responseHeaders[$key]; + } + } + $cached->setResponseHeaders($endToEnd); + } + return $cached; + } + + // Fill in the apiHttpRequest with the response values + $request->setResponseHttpCode($respHttpCode); + $request->setResponseHeaders($responseHeaders); + $request->setResponseBody($responseBody); + // Store the request in cache (the function checks to see if the request + // can actually be cached) + $this->setCachedRequest($request); + // And finally return it + return $request; + } + + /** + * @visible for testing. + * Cache the response to an HTTP request if it is cacheable. + * @param Google_HttpRequest $request + * @return bool Returns true if the insertion was successful. + * Otherwise, return false. + */ + public function setCachedRequest(Google_HttpRequest $request) { + // Determine if the request is cacheable. + if (Google_CacheParser::isResponseCacheable($request)) { + Google_Client::$cache->set($request->getCacheKey(), $request); + return true; + } + + return false; + } + + /** + * @visible for testing. + * @param Google_HttpRequest $request + * @return Google_HttpRequest|bool Returns the cached object or + * false if the operation was unsuccessful. + */ + public function getCachedRequest(Google_HttpRequest $request) { + if (false == Google_CacheParser::isRequestCacheable($request)) { + false; + } + + return Google_Client::$cache->get($request->getCacheKey()); + } + + /** + * @param $respData + * @param $headerSize + * @return array + */ + public static function parseHttpResponse($respData, $headerSize) { + if (stripos($respData, self::CONNECTION_ESTABLISHED) !== false) { + $respData = str_ireplace(self::CONNECTION_ESTABLISHED, '', $respData); + } + + if ($headerSize) { + $responseBody = substr($respData, $headerSize); + $responseHeaders = substr($respData, 0, $headerSize); + } else { + list($responseHeaders, $responseBody) = explode("\r\n\r\n", $respData, 2); + } + + $responseHeaders = self::parseResponseHeaders($responseHeaders); + return array($responseHeaders, $responseBody); + } + + public static function parseResponseHeaders($rawHeaders) { + $responseHeaders = array(); + + $responseHeaderLines = explode("\r\n", $rawHeaders); + foreach ($responseHeaderLines as $headerLine) { + if ($headerLine && strpos($headerLine, ':') !== false) { + list($header, $value) = explode(': ', $headerLine, 2); + $header = strtolower($header); + if (isset($responseHeaders[$header])) { + $responseHeaders[$header] .= "\n" . $value; + } else { + $responseHeaders[$header] = $value; + } + } + } + return $responseHeaders; + } + + /** + * @visible for testing + * Process an http request that contains an enclosed entity. + * @param Google_HttpRequest $request + * @return Google_HttpRequest Processed request with the enclosed entity. + */ + public function processEntityRequest(Google_HttpRequest $request) { + $postBody = $request->getPostBody(); + $contentType = $request->getRequestHeader("content-type"); + + // Set the default content-type as application/x-www-form-urlencoded. + if (false == $contentType) { + $contentType = self::FORM_URLENCODED; + $request->setRequestHeaders(array('content-type' => $contentType)); + } + + // Force the payload to match the content-type asserted in the header. + if ($contentType == self::FORM_URLENCODED && is_array($postBody)) { + $postBody = http_build_query($postBody, '', '&'); + $request->setPostBody($postBody); + } + + // Make sure the content-length header is set. + if (!$postBody || is_string($postBody)) { + $postsLength = strlen($postBody); + $request->setRequestHeaders(array('content-length' => $postsLength)); + } + + return $request; + } + + /** + * Set options that update cURL's default behavior. + * The list of accepted options are: + * {@link http://php.net/manual/en/function.curl-setopt.php] + * + * @param array $optCurlParams Multiple options used by a cURL session. + */ + public function setOptions($optCurlParams) { + foreach ($optCurlParams as $key => $val) { + $this->curlParams[$key] = $val; + } + } +} \ No newline at end of file diff --git a/apps/files_external/3rdparty/google-api-php-client/src/io/Google_HttpRequest.php b/apps/files_external/3rdparty/google-api-php-client/src/io/Google_HttpRequest.php new file mode 100644 index 0000000000..b98eae5400 --- /dev/null +++ b/apps/files_external/3rdparty/google-api-php-client/src/io/Google_HttpRequest.php @@ -0,0 +1,304 @@ + + * @author Chirag Shah + * + */ +class Google_HttpRequest { + const USER_AGENT_SUFFIX = "google-api-php-client/0.6.0"; + private $batchHeaders = array( + 'Content-Type' => 'application/http', + 'Content-Transfer-Encoding' => 'binary', + 'MIME-Version' => '1.0', + 'Content-Length' => '' + ); + + protected $url; + protected $requestMethod; + protected $requestHeaders; + protected $postBody; + protected $userAgent; + + protected $responseHttpCode; + protected $responseHeaders; + protected $responseBody; + + public $accessKey; + + public function __construct($url, $method = 'GET', $headers = array(), $postBody = null) { + $this->setUrl($url); + $this->setRequestMethod($method); + $this->setRequestHeaders($headers); + $this->setPostBody($postBody); + + global $apiConfig; + if (empty($apiConfig['application_name'])) { + $this->userAgent = self::USER_AGENT_SUFFIX; + } else { + $this->userAgent = $apiConfig['application_name'] . " " . self::USER_AGENT_SUFFIX; + } + } + + /** + * Misc function that returns the base url component of the $url + * used by the OAuth signing class to calculate the base string + * @return string The base url component of the $url. + * @see http://oauth.net/core/1.0a/#anchor13 + */ + public function getBaseUrl() { + if ($pos = strpos($this->url, '?')) { + return substr($this->url, 0, $pos); + } + return $this->url; + } + + /** + * Misc function that returns an array of the query parameters of the current + * url used by the OAuth signing class to calculate the signature + * @return array Query parameters in the query string. + */ + public function getQueryParams() { + if ($pos = strpos($this->url, '?')) { + $queryStr = substr($this->url, $pos + 1); + $params = array(); + parse_str($queryStr, $params); + return $params; + } + return array(); + } + + /** + * @return string HTTP Response Code. + */ + public function getResponseHttpCode() { + return (int) $this->responseHttpCode; + } + + /** + * @param int $responseHttpCode HTTP Response Code. + */ + public function setResponseHttpCode($responseHttpCode) { + $this->responseHttpCode = $responseHttpCode; + } + + /** + * @return $responseHeaders (array) HTTP Response Headers. + */ + public function getResponseHeaders() { + return $this->responseHeaders; + } + + /** + * @return string HTTP Response Body + */ + public function getResponseBody() { + return $this->responseBody; + } + + /** + * @param array $headers The HTTP response headers + * to be normalized. + */ + public function setResponseHeaders($headers) { + $headers = Google_Utils::normalize($headers); + if ($this->responseHeaders) { + $headers = array_merge($this->responseHeaders, $headers); + } + + $this->responseHeaders = $headers; + } + + /** + * @param string $key + * @return array|boolean Returns the requested HTTP header or + * false if unavailable. + */ + public function getResponseHeader($key) { + return isset($this->responseHeaders[$key]) + ? $this->responseHeaders[$key] + : false; + } + + /** + * @param string $responseBody The HTTP response body. + */ + public function setResponseBody($responseBody) { + $this->responseBody = $responseBody; + } + + /** + * @return string $url The request URL. + */ + + public function getUrl() { + return $this->url; + } + + /** + * @return string $method HTTP Request Method. + */ + public function getRequestMethod() { + return $this->requestMethod; + } + + /** + * @return array $headers HTTP Request Headers. + */ + public function getRequestHeaders() { + return $this->requestHeaders; + } + + /** + * @param string $key + * @return array|boolean Returns the requested HTTP header or + * false if unavailable. + */ + public function getRequestHeader($key) { + return isset($this->requestHeaders[$key]) + ? $this->requestHeaders[$key] + : false; + } + + /** + * @return string $postBody HTTP Request Body. + */ + public function getPostBody() { + return $this->postBody; + } + + /** + * @param string $url the url to set + */ + public function setUrl($url) { + if (substr($url, 0, 4) == 'http') { + $this->url = $url; + } else { + // Force the path become relative. + if (substr($url, 0, 1) !== '/') { + $url = '/' . $url; + } + global $apiConfig; + $this->url = $apiConfig['basePath'] . $url; + } + } + + /** + * @param string $method Set he HTTP Method and normalize + * it to upper-case, as required by HTTP. + * + */ + public function setRequestMethod($method) { + $this->requestMethod = strtoupper($method); + } + + /** + * @param array $headers The HTTP request headers + * to be set and normalized. + */ + public function setRequestHeaders($headers) { + $headers = Google_Utils::normalize($headers); + if ($this->requestHeaders) { + $headers = array_merge($this->requestHeaders, $headers); + } + $this->requestHeaders = $headers; + } + + /** + * @param string $postBody the postBody to set + */ + public function setPostBody($postBody) { + $this->postBody = $postBody; + } + + /** + * Set the User-Agent Header. + * @param string $userAgent The User-Agent. + */ + public function setUserAgent($userAgent) { + $this->userAgent = $userAgent; + } + + /** + * @return string The User-Agent. + */ + public function getUserAgent() { + return $this->userAgent; + } + + /** + * Returns a cache key depending on if this was an OAuth signed request + * in which case it will use the non-signed url and access key to make this + * cache key unique per authenticated user, else use the plain request url + * @return string The md5 hash of the request cache key. + */ + public function getCacheKey() { + $key = $this->getUrl(); + + if (isset($this->accessKey)) { + $key .= $this->accessKey; + } + + if (isset($this->requestHeaders['authorization'])) { + $key .= $this->requestHeaders['authorization']; + } + + return md5($key); + } + + public function getParsedCacheControl() { + $parsed = array(); + $rawCacheControl = $this->getResponseHeader('cache-control'); + if ($rawCacheControl) { + $rawCacheControl = str_replace(', ', '&', $rawCacheControl); + parse_str($rawCacheControl, $parsed); + } + + return $parsed; + } + + /** + * @param string $id + * @return string A string representation of the HTTP Request. + */ + public function toBatchString($id) { + $str = ''; + foreach($this->batchHeaders as $key => $val) { + $str .= $key . ': ' . $val . "\n"; + } + + $str .= "Content-ID: $id\n"; + $str .= "\n"; + + $path = parse_url($this->getUrl(), PHP_URL_PATH); + $str .= $this->getRequestMethod() . ' ' . $path . " HTTP/1.1\n"; + foreach($this->getRequestHeaders() as $key => $val) { + $str .= $key . ': ' . $val . "\n"; + } + + if ($this->getPostBody()) { + $str .= "\n"; + $str .= $this->getPostBody(); + } + + return $str; + } +} diff --git a/apps/files_external/3rdparty/google-api-php-client/src/io/Google_IO.php b/apps/files_external/3rdparty/google-api-php-client/src/io/Google_IO.php new file mode 100644 index 0000000000..5445e69903 --- /dev/null +++ b/apps/files_external/3rdparty/google-api-php-client/src/io/Google_IO.php @@ -0,0 +1,49 @@ + + */ +interface Google_IO { + /** + * An utility function that first calls $this->auth->sign($request) and then executes makeRequest() + * on that signed request. Used for when a request should be authenticated + * @param Google_HttpRequest $request + * @return Google_HttpRequest $request + */ + public function authenticatedRequest(Google_HttpRequest $request); + + /** + * Executes a apIHttpRequest and returns the resulting populated httpRequest + * @param Google_HttpRequest $request + * @return Google_HttpRequest $request + */ + public function makeRequest(Google_HttpRequest $request); + + /** + * Set options that update the transport implementation's behavior. + * @param $options + */ + public function setOptions($options); + +} diff --git a/apps/files_external/3rdparty/google-api-php-client/src/io/Google_REST.php b/apps/files_external/3rdparty/google-api-php-client/src/io/Google_REST.php new file mode 100644 index 0000000000..d0f3b3d564 --- /dev/null +++ b/apps/files_external/3rdparty/google-api-php-client/src/io/Google_REST.php @@ -0,0 +1,128 @@ + + * @author Chirag Shah + */ +class Google_REST { + /** + * Executes a apiServiceRequest using a RESTful call by transforming it into + * an apiHttpRequest, and executed via apiIO::authenticatedRequest(). + * + * @param Google_HttpRequest $req + * @return array decoded result + * @throws Google_ServiceException on server side error (ie: not authenticated, + * invalid or malformed post body, invalid url) + */ + static public function execute(Google_HttpRequest $req) { + $httpRequest = Google_Client::$io->makeRequest($req); + $decodedResponse = self::decodeHttpResponse($httpRequest); + $ret = isset($decodedResponse['data']) + ? $decodedResponse['data'] : $decodedResponse; + return $ret; + } + + + /** + * Decode an HTTP Response. + * @static + * @throws Google_ServiceException + * @param Google_HttpRequest $response The http response to be decoded. + * @return mixed|null + */ + public static function decodeHttpResponse($response) { + $code = $response->getResponseHttpCode(); + $body = $response->getResponseBody(); + $decoded = null; + + if ((intVal($code)) >= 300) { + $decoded = json_decode($body, true); + $err = 'Error calling ' . $response->getRequestMethod() . ' ' . $response->getUrl(); + if ($decoded != null && isset($decoded['error']['message']) && isset($decoded['error']['code'])) { + // if we're getting a json encoded error definition, use that instead of the raw response + // body for improved readability + $err .= ": ({$decoded['error']['code']}) {$decoded['error']['message']}"; + } else { + $err .= ": ($code) $body"; + } + + throw new Google_ServiceException($err, $code, null, $decoded['error']['errors']); + } + + // Only attempt to decode the response, if the response code wasn't (204) 'no content' + if ($code != '204') { + $decoded = json_decode($body, true); + if ($decoded === null || $decoded === "") { + throw new Google_ServiceException("Invalid json in service response: $body"); + } + } + return $decoded; + } + + /** + * Parse/expand request parameters and create a fully qualified + * request uri. + * @static + * @param string $servicePath + * @param string $restPath + * @param array $params + * @return string $requestUrl + */ + static function createRequestUri($servicePath, $restPath, $params) { + $requestUrl = $servicePath . $restPath; + $uriTemplateVars = array(); + $queryVars = array(); + foreach ($params as $paramName => $paramSpec) { + // Discovery v1.0 puts the canonical location under the 'location' field. + if (! isset($paramSpec['location'])) { + $paramSpec['location'] = $paramSpec['restParameterType']; + } + + if ($paramSpec['type'] == 'boolean') { + $paramSpec['value'] = ($paramSpec['value']) ? 'true' : 'false'; + } + if ($paramSpec['location'] == 'path') { + $uriTemplateVars[$paramName] = $paramSpec['value']; + } else { + if (isset($paramSpec['repeated']) && is_array($paramSpec['value'])) { + foreach ($paramSpec['value'] as $value) { + $queryVars[] = $paramName . '=' . rawurlencode($value); + } + } else { + $queryVars[] = $paramName . '=' . rawurlencode($paramSpec['value']); + } + } + } + + if (count($uriTemplateVars)) { + $uriTemplateParser = new URI_Template_Parser($requestUrl); + $requestUrl = $uriTemplateParser->expand($uriTemplateVars); + } + //FIXME work around for the the uri template lib which url encodes + // the @'s & confuses our servers. + $requestUrl = str_replace('%40', '@', $requestUrl); + + if (count($queryVars)) { + $requestUrl .= '?' . implode($queryVars, '&'); + } + + return $requestUrl; + } +} diff --git a/apps/files_external/3rdparty/google-api-php-client/src/io/cacerts.pem b/apps/files_external/3rdparty/google-api-php-client/src/io/cacerts.pem new file mode 100644 index 0000000000..da36ed1ba6 --- /dev/null +++ b/apps/files_external/3rdparty/google-api-php-client/src/io/cacerts.pem @@ -0,0 +1,714 @@ +# Certifcate Authority certificates for validating SSL connections. +# +# This file contains PEM format certificates generated from +# http://mxr.mozilla.org/seamonkey/source/security/nss/lib/ckfw/builtins/certdata.txt +# +# ***** BEGIN LICENSE BLOCK ***** +# Version: MPL 1.1/GPL 2.0/LGPL 2.1 +# +# The contents of this file are subject to the Mozilla Public License Version +# 1.1 (the "License"); you may not use this file except in compliance with +# the License. You may obtain a copy of the License at +# http://www.mozilla.org/MPL/ +# +# Software distributed under the License is distributed on an "AS IS" basis, +# WITHOUT WARRANTY OF ANY KIND, either express or implied. See the License +# for the specific language governing rights and limitations under the +# License. +# +# The Original Code is the Netscape security libraries. +# +# The Initial Developer of the Original Code is +# Netscape Communications Corporation. +# Portions created by the Initial Developer are Copyright (C) 1994-2000 +# the Initial Developer. All Rights Reserved. +# +# Contributor(s): +# +# Alternatively, the contents of this file may be used under the terms of +# either the GNU General Public License Version 2 or later (the "GPL"), or +# the GNU Lesser General Public License Version 2.1 or later (the "LGPL"), +# in which case the provisions of the GPL or the LGPL are applicable instead +# of those above. If you wish to allow use of your version of this file only +# under the terms of either the GPL or the LGPL, and not to allow others to +# use your version of this file under the terms of the MPL, indicate your +# decision by deleting the provisions above and replace them with the notice +# and other provisions required by the GPL or the LGPL. If you do not delete +# the provisions above, a recipient may use your version of this file under +# the terms of any one of the MPL, the GPL or the LGPL. +# +# ***** END LICENSE BLOCK ***** + +Verisign/RSA Secure Server CA +============================= + +-----BEGIN CERTIFICATE----- +MIICNDCCAaECEAKtZn5ORf5eV288mBle3cAwDQYJKoZIhvcNAQECBQAwXzELMAkG +A1UEBhMCVVMxIDAeBgNVBAoTF1JTQSBEYXRhIFNlY3VyaXR5LCBJbmMuMS4wLAYD +VQQLEyVTZWN1cmUgU2VydmVyIENlcnRpZmljYXRpb24gQXV0aG9yaXR5MB4XDTk0 +MTEwOTAwMDAwMFoXDTEwMDEwNzIzNTk1OVowXzELMAkGA1UEBhMCVVMxIDAeBgNV +BAoTF1JTQSBEYXRhIFNlY3VyaXR5LCBJbmMuMS4wLAYDVQQLEyVTZWN1cmUgU2Vy +dmVyIENlcnRpZmljYXRpb24gQXV0aG9yaXR5MIGbMA0GCSqGSIb3DQEBAQUAA4GJ +ADCBhQJ+AJLOesGugz5aqomDV6wlAXYMra6OLDfO6zV4ZFQD5YRAUcm/jwjiioII +0haGN1XpsSECrXZogZoFokvJSyVmIlZsiAeP94FZbYQHZXATcXY+m3dM41CJVphI +uR2nKRoTLkoRWZweFdVJVCxzOmmCsZc5nG1wZ0jl3S3WyB57AgMBAAEwDQYJKoZI +hvcNAQECBQADfgBl3X7hsuyw4jrg7HFGmhkRuNPHoLQDQCYCPgmc4RKz0Vr2N6W3 +YQO2WxZpO8ZECAyIUwxrl0nHPjXcbLm7qt9cuzovk2C2qUtN8iD3zV9/ZHuO3ABc +1/p3yjkWWW8O6tO1g39NTUJWdrTJXwT4OPjr0l91X817/OWOgHz8UA== +-----END CERTIFICATE----- + +Thawte Personal Basic CA +======================== + +-----BEGIN CERTIFICATE----- +MIIDITCCAoqgAwIBAgIBADANBgkqhkiG9w0BAQQFADCByzELMAkGA1UEBhMCWkEx +FTATBgNVBAgTDFdlc3Rlcm4gQ2FwZTESMBAGA1UEBxMJQ2FwZSBUb3duMRowGAYD +VQQKExFUaGF3dGUgQ29uc3VsdGluZzEoMCYGA1UECxMfQ2VydGlmaWNhdGlvbiBT +ZXJ2aWNlcyBEaXZpc2lvbjEhMB8GA1UEAxMYVGhhd3RlIFBlcnNvbmFsIEJhc2lj +IENBMSgwJgYJKoZIhvcNAQkBFhlwZXJzb25hbC1iYXNpY0B0aGF3dGUuY29tMB4X +DTk2MDEwMTAwMDAwMFoXDTIwMTIzMTIzNTk1OVowgcsxCzAJBgNVBAYTAlpBMRUw +EwYDVQQIEwxXZXN0ZXJuIENhcGUxEjAQBgNVBAcTCUNhcGUgVG93bjEaMBgGA1UE +ChMRVGhhd3RlIENvbnN1bHRpbmcxKDAmBgNVBAsTH0NlcnRpZmljYXRpb24gU2Vy +dmljZXMgRGl2aXNpb24xITAfBgNVBAMTGFRoYXd0ZSBQZXJzb25hbCBCYXNpYyBD +QTEoMCYGCSqGSIb3DQEJARYZcGVyc29uYWwtYmFzaWNAdGhhd3RlLmNvbTCBnzAN +BgkqhkiG9w0BAQEFAAOBjQAwgYkCgYEAvLyTU23AUE+CFeZIlDWmWr5vQvoPR+53 +dXLdjUmbllegeNTKP1GzaQuRdhciB5dqxFGTS+CN7zeVoQxN2jSQHReJl+A1OFdK +wPQIcOk8RHtQfmGakOMj04gRRif1CwcOu93RfyAKiLlWCy4cgNrx454p7xS9CkT7 +G1sY0b8jkyECAwEAAaMTMBEwDwYDVR0TAQH/BAUwAwEB/zANBgkqhkiG9w0BAQQF +AAOBgQAt4plrsD16iddZopQBHyvdEktTwq1/qqcAXJFAVyVKOKqEcLnZgA+le1z7 +c8a914phXAPjLSeoF+CEhULcXpvGt7Jtu3Sv5D/Lp7ew4F2+eIMllNLbgQ95B21P +9DkVWlIBe94y1k049hJcBlDfBVu9FEuh3ym6O0GN92NWod8isQ== +-----END CERTIFICATE----- + +Thawte Personal Premium CA +========================== + +-----BEGIN CERTIFICATE----- +MIIDKTCCApKgAwIBAgIBADANBgkqhkiG9w0BAQQFADCBzzELMAkGA1UEBhMCWkEx +FTATBgNVBAgTDFdlc3Rlcm4gQ2FwZTESMBAGA1UEBxMJQ2FwZSBUb3duMRowGAYD +VQQKExFUaGF3dGUgQ29uc3VsdGluZzEoMCYGA1UECxMfQ2VydGlmaWNhdGlvbiBT +ZXJ2aWNlcyBEaXZpc2lvbjEjMCEGA1UEAxMaVGhhd3RlIFBlcnNvbmFsIFByZW1p +dW0gQ0ExKjAoBgkqhkiG9w0BCQEWG3BlcnNvbmFsLXByZW1pdW1AdGhhd3RlLmNv +bTAeFw05NjAxMDEwMDAwMDBaFw0yMDEyMzEyMzU5NTlaMIHPMQswCQYDVQQGEwJa +QTEVMBMGA1UECBMMV2VzdGVybiBDYXBlMRIwEAYDVQQHEwlDYXBlIFRvd24xGjAY +BgNVBAoTEVRoYXd0ZSBDb25zdWx0aW5nMSgwJgYDVQQLEx9DZXJ0aWZpY2F0aW9u +IFNlcnZpY2VzIERpdmlzaW9uMSMwIQYDVQQDExpUaGF3dGUgUGVyc29uYWwgUHJl +bWl1bSBDQTEqMCgGCSqGSIb3DQEJARYbcGVyc29uYWwtcHJlbWl1bUB0aGF3dGUu +Y29tMIGfMA0GCSqGSIb3DQEBAQUAA4GNADCBiQKBgQDJZtn4B0TPuYwu8KHvE0Vs +Bd/eJxZRNkERbGw77f4QfRKe5ZtCmv5gMcNmt3M6SK5O0DI3lIi1DbbZ8/JE2dWI +Et12TfIa/G8jHnrx2JhFTgcQ7xZC0EN1bUre4qrJMf8fAHB8Zs8QJQi6+u4A6UYD +ZicRFTuqW/KY3TZCstqIdQIDAQABoxMwETAPBgNVHRMBAf8EBTADAQH/MA0GCSqG +SIb3DQEBBAUAA4GBAGk2ifc0KjNyL2071CKyuG+axTZmDhs8obF1Wub9NdP4qPIH +b4Vnjt4rueIXsDqg8A6iAJrf8xQVbrvIhVqYgPn/vnQdPfP+MCXRNzRn+qVxeTBh +KXLA4CxM+1bkOqhv5TJZUtt1KFBZDPgLGeSs2a+WjS9Q2wfD6h+rM+D1KzGJ +-----END CERTIFICATE----- + +Thawte Personal Freemail CA +=========================== + +-----BEGIN CERTIFICATE----- +MIIDLTCCApagAwIBAgIBADANBgkqhkiG9w0BAQQFADCB0TELMAkGA1UEBhMCWkEx +FTATBgNVBAgTDFdlc3Rlcm4gQ2FwZTESMBAGA1UEBxMJQ2FwZSBUb3duMRowGAYD +VQQKExFUaGF3dGUgQ29uc3VsdGluZzEoMCYGA1UECxMfQ2VydGlmaWNhdGlvbiBT +ZXJ2aWNlcyBEaXZpc2lvbjEkMCIGA1UEAxMbVGhhd3RlIFBlcnNvbmFsIEZyZWVt +YWlsIENBMSswKQYJKoZIhvcNAQkBFhxwZXJzb25hbC1mcmVlbWFpbEB0aGF3dGUu +Y29tMB4XDTk2MDEwMTAwMDAwMFoXDTIwMTIzMTIzNTk1OVowgdExCzAJBgNVBAYT +AlpBMRUwEwYDVQQIEwxXZXN0ZXJuIENhcGUxEjAQBgNVBAcTCUNhcGUgVG93bjEa +MBgGA1UEChMRVGhhd3RlIENvbnN1bHRpbmcxKDAmBgNVBAsTH0NlcnRpZmljYXRp +b24gU2VydmljZXMgRGl2aXNpb24xJDAiBgNVBAMTG1RoYXd0ZSBQZXJzb25hbCBG +cmVlbWFpbCBDQTErMCkGCSqGSIb3DQEJARYccGVyc29uYWwtZnJlZW1haWxAdGhh +d3RlLmNvbTCBnzANBgkqhkiG9w0BAQEFAAOBjQAwgYkCgYEA1GnX1LCUZFtx6UfY +DFG26nKRsIRefS0Nj3sS34UldSh0OkIsYyeflXtL734Zhx2G6qPduc6WZBrCFG5E +rHzmj+hND3EfQDimAKOHePb5lIZererAXnbr2RSjXW56fAylS1V/Bhkpf56aJtVq +uzgkCGqYx7Hao5iR/Xnb5VrEHLkCAwEAAaMTMBEwDwYDVR0TAQH/BAUwAwEB/zAN +BgkqhkiG9w0BAQQFAAOBgQDH7JJ+Tvj1lqVnYiqk8E0RYNBvjWBYYawmu1I1XAjP +MPuoSpaKH2JCI4wXD/S6ZJwXrEcp352YXtJsYHFcoqzceePnbgBHH7UNKOgCneSa +/RP0ptl8sfjcXyMmCZGAc9AUG95DqYMl8uacLxXK/qarigd1iwzdUYRr5PjRznei +gQ== +-----END CERTIFICATE----- + +Thawte Server CA +================ + +-----BEGIN CERTIFICATE----- +MIIDEzCCAnygAwIBAgIBATANBgkqhkiG9w0BAQQFADCBxDELMAkGA1UEBhMCWkEx +FTATBgNVBAgTDFdlc3Rlcm4gQ2FwZTESMBAGA1UEBxMJQ2FwZSBUb3duMR0wGwYD +VQQKExRUaGF3dGUgQ29uc3VsdGluZyBjYzEoMCYGA1UECxMfQ2VydGlmaWNhdGlv +biBTZXJ2aWNlcyBEaXZpc2lvbjEZMBcGA1UEAxMQVGhhd3RlIFNlcnZlciBDQTEm +MCQGCSqGSIb3DQEJARYXc2VydmVyLWNlcnRzQHRoYXd0ZS5jb20wHhcNOTYwODAx +MDAwMDAwWhcNMjAxMjMxMjM1OTU5WjCBxDELMAkGA1UEBhMCWkExFTATBgNVBAgT +DFdlc3Rlcm4gQ2FwZTESMBAGA1UEBxMJQ2FwZSBUb3duMR0wGwYDVQQKExRUaGF3 +dGUgQ29uc3VsdGluZyBjYzEoMCYGA1UECxMfQ2VydGlmaWNhdGlvbiBTZXJ2aWNl +cyBEaXZpc2lvbjEZMBcGA1UEAxMQVGhhd3RlIFNlcnZlciBDQTEmMCQGCSqGSIb3 +DQEJARYXc2VydmVyLWNlcnRzQHRoYXd0ZS5jb20wgZ8wDQYJKoZIhvcNAQEBBQAD +gY0AMIGJAoGBANOkUG7I/1Zr5s9dtuoMaHVHoqrC2oQl/Kj0R1HahbUgdJSGHg91 +yekIYfUGbTBuFRkC6VLAYttNmZ7iagxEOM3+vuNkCXDF/rFrKbYvScg71CcEJRCX +L+eQbcAoQpnXTEPew/UhbVSfXcNY4cDk2VuwuNy0e982OsK1ZiIS1ocNAgMBAAGj +EzARMA8GA1UdEwEB/wQFMAMBAf8wDQYJKoZIhvcNAQEEBQADgYEAB/pMaVz7lcxG +7oWDTSEwjsrZqG9JGubaUeNgcGyEYRGhGshIPllDfU+VPaGLtwtimHp1it2ITk6e +QNuozDJ0uW8NxuOzRAvZim+aKZuZGCg70eNAKJpaPNW15yAbi8qkq43pUdniTCxZ +qdq5snUb9kLy78fyGPmJvKP/iiMucEc= +-----END CERTIFICATE----- + +Thawte Premium Server CA +======================== + +-----BEGIN CERTIFICATE----- +MIIDJzCCApCgAwIBAgIBATANBgkqhkiG9w0BAQQFADCBzjELMAkGA1UEBhMCWkEx +FTATBgNVBAgTDFdlc3Rlcm4gQ2FwZTESMBAGA1UEBxMJQ2FwZSBUb3duMR0wGwYD +VQQKExRUaGF3dGUgQ29uc3VsdGluZyBjYzEoMCYGA1UECxMfQ2VydGlmaWNhdGlv +biBTZXJ2aWNlcyBEaXZpc2lvbjEhMB8GA1UEAxMYVGhhd3RlIFByZW1pdW0gU2Vy +dmVyIENBMSgwJgYJKoZIhvcNAQkBFhlwcmVtaXVtLXNlcnZlckB0aGF3dGUuY29t +MB4XDTk2MDgwMTAwMDAwMFoXDTIwMTIzMTIzNTk1OVowgc4xCzAJBgNVBAYTAlpB +MRUwEwYDVQQIEwxXZXN0ZXJuIENhcGUxEjAQBgNVBAcTCUNhcGUgVG93bjEdMBsG +A1UEChMUVGhhd3RlIENvbnN1bHRpbmcgY2MxKDAmBgNVBAsTH0NlcnRpZmljYXRp +b24gU2VydmljZXMgRGl2aXNpb24xITAfBgNVBAMTGFRoYXd0ZSBQcmVtaXVtIFNl +cnZlciBDQTEoMCYGCSqGSIb3DQEJARYZcHJlbWl1bS1zZXJ2ZXJAdGhhd3RlLmNv +bTCBnzANBgkqhkiG9w0BAQEFAAOBjQAwgYkCgYEA0jY2aovXwlue2oFBYo847kkE +VdbQ7xwblRZH7xhINTpS9CtqBo87L+pW46+GjZ4X9560ZXUCTe/LCaIhUdib0GfQ +ug2SBhRz1JPLlyoAnFxODLz6FVL88kRu2hFKbgifLy3j+ao6hnO2RlNYyIkFvYMR +uHM/qgeN9EJN50CdHDcCAwEAAaMTMBEwDwYDVR0TAQH/BAUwAwEB/zANBgkqhkiG +9w0BAQQFAAOBgQAmSCwWwlj66BZ0DKqqX1Q/8tfJeGBeXm43YyJ3Nn6yF8Q0ufUI +hfzJATj/Tb7yFkJD57taRvvBxhEf8UqwKEbJw8RCfbz6q1lu1bdRiBHjpIUZa4JM +pAwSremkrj/xw0llmozFyD4lt5SZu5IycQfwhl7tUCemDaYj+bvLpgcUQg== +-----END CERTIFICATE----- + +Equifax Secure CA +================= + +-----BEGIN CERTIFICATE----- +MIIDIDCCAomgAwIBAgIENd70zzANBgkqhkiG9w0BAQUFADBOMQswCQYDVQQGEwJV +UzEQMA4GA1UEChMHRXF1aWZheDEtMCsGA1UECxMkRXF1aWZheCBTZWN1cmUgQ2Vy +dGlmaWNhdGUgQXV0aG9yaXR5MB4XDTk4MDgyMjE2NDE1MVoXDTE4MDgyMjE2NDE1 +MVowTjELMAkGA1UEBhMCVVMxEDAOBgNVBAoTB0VxdWlmYXgxLTArBgNVBAsTJEVx +dWlmYXggU2VjdXJlIENlcnRpZmljYXRlIEF1dGhvcml0eTCBnzANBgkqhkiG9w0B +AQEFAAOBjQAwgYkCgYEAwV2xWGcIYu6gmi0fCG2RFGiYCh7+2gRvE4RiIcPRfM6f +BeC4AfBONOziipUEZKzxa1NfBbPLZ4C/QgKO/t0BCezhABRP/PvwDN1Dulsr4R+A +cJkVV5MW8Q+XarfCaCMczE1ZMKxRHjuvK9buY0V7xdlfUNLjUA86iOe/FP3gx7kC +AwEAAaOCAQkwggEFMHAGA1UdHwRpMGcwZaBjoGGkXzBdMQswCQYDVQQGEwJVUzEQ +MA4GA1UEChMHRXF1aWZheDEtMCsGA1UECxMkRXF1aWZheCBTZWN1cmUgQ2VydGlm +aWNhdGUgQXV0aG9yaXR5MQ0wCwYDVQQDEwRDUkwxMBoGA1UdEAQTMBGBDzIwMTgw +ODIyMTY0MTUxWjALBgNVHQ8EBAMCAQYwHwYDVR0jBBgwFoAUSOZo+SvSspXXR9gj +IBBPM5iQn9QwHQYDVR0OBBYEFEjmaPkr0rKV10fYIyAQTzOYkJ/UMAwGA1UdEwQF +MAMBAf8wGgYJKoZIhvZ9B0EABA0wCxsFVjMuMGMDAgbAMA0GCSqGSIb3DQEBBQUA +A4GBAFjOKer89961zgK5F7WF0bnj4JXMJTENAKaSbn+2kmOeUJXRmm/kEd5jhW6Y +7qj/WsjTVbJmcVfewCHrPSqnI0kBBIZCe/zuf6IWUrVnZ9NA2zsmWLIodz2uFHdh +1voqZiegDfqnc1zqcPGUIWVEX/r87yloqaKHee9570+sB3c4 +-----END CERTIFICATE----- + +Verisign Class 1 Public Primary Certification Authority +======================================================= + +-----BEGIN CERTIFICATE----- +MIICPTCCAaYCEQDNun9W8N/kvFT+IqyzcqpVMA0GCSqGSIb3DQEBAgUAMF8xCzAJ +BgNVBAYTAlVTMRcwFQYDVQQKEw5WZXJpU2lnbiwgSW5jLjE3MDUGA1UECxMuQ2xh +c3MgMSBQdWJsaWMgUHJpbWFyeSBDZXJ0aWZpY2F0aW9uIEF1dGhvcml0eTAeFw05 +NjAxMjkwMDAwMDBaFw0yODA4MDEyMzU5NTlaMF8xCzAJBgNVBAYTAlVTMRcwFQYD +VQQKEw5WZXJpU2lnbiwgSW5jLjE3MDUGA1UECxMuQ2xhc3MgMSBQdWJsaWMgUHJp +bWFyeSBDZXJ0aWZpY2F0aW9uIEF1dGhvcml0eTCBnzANBgkqhkiG9w0BAQEFAAOB +jQAwgYkCgYEA5Rm/baNWYS2ZSHH2Z965jeu3noaACpEO+jglr0aIguVzqKCbJF0N +H8xlbgyw0FaEGIeaBpsQoXPftFg5a27B9hXVqKg/qhIGjTGsf7A01480Z4gJzRQR +4k5FVmkfeAKA2txHkSm7NsljXMXg1y2He6G3MrB7MLoqLzGq7qNn2tsCAwEAATAN +BgkqhkiG9w0BAQIFAAOBgQBMP7iLxmjf7kMzDl3ppssHhE16M/+SG/Q2rdiVIjZo +EWx8QszznC7EBz8UsA9P/5CSdvnivErpj82ggAr3xSnxgiJduLHdgSOjeyUVRjB5 +FvjqBUuUfx3CHMjjt/QQQDwTw18fU+hI5Ia0e6E1sHslurjTjqs/OJ0ANACY89Fx +lA== +-----END CERTIFICATE----- + +Verisign Class 2 Public Primary Certification Authority +======================================================= + +-----BEGIN CERTIFICATE----- +MIICPDCCAaUCEC0b/EoXjaOR6+f/9YtFvgswDQYJKoZIhvcNAQECBQAwXzELMAkG +A1UEBhMCVVMxFzAVBgNVBAoTDlZlcmlTaWduLCBJbmMuMTcwNQYDVQQLEy5DbGFz +cyAyIFB1YmxpYyBQcmltYXJ5IENlcnRpZmljYXRpb24gQXV0aG9yaXR5MB4XDTk2 +MDEyOTAwMDAwMFoXDTI4MDgwMTIzNTk1OVowXzELMAkGA1UEBhMCVVMxFzAVBgNV +BAoTDlZlcmlTaWduLCBJbmMuMTcwNQYDVQQLEy5DbGFzcyAyIFB1YmxpYyBQcmlt +YXJ5IENlcnRpZmljYXRpb24gQXV0aG9yaXR5MIGfMA0GCSqGSIb3DQEBAQUAA4GN +ADCBiQKBgQC2WoujDWojg4BrzzmH9CETMwZMJaLtVRKXxaeAufqDwSCg+i8VDXyh +YGt+eSz6Bg86rvYbb7HS/y8oUl+DfUvEerf4Zh+AVPy3wo5ZShRXRtGak75BkQO7 +FYCTXOvnzAhsPz6zSvz/S2wj1VCCJkQZjiPDceoZJEcEnnW/yKYAHwIDAQABMA0G +CSqGSIb3DQEBAgUAA4GBAIobK/o5wXTXXtgZZKJYSi034DNHD6zt96rbHuSLBlxg +J8pFUs4W7z8GZOeUaHxgMxURaa+dYo2jA1Rrpr7l7gUYYAS/QoD90KioHgE796Nc +r6Pc5iaAIzy4RHT3Cq5Ji2F4zCS/iIqnDupzGUH9TQPwiNHleI2lKk/2lw0Xd8rY +-----END CERTIFICATE----- + +Verisign Class 3 Public Primary Certification Authority +======================================================= + +-----BEGIN CERTIFICATE----- +MIICPDCCAaUCEHC65B0Q2Sk0tjjKewPMur8wDQYJKoZIhvcNAQECBQAwXzELMAkG +A1UEBhMCVVMxFzAVBgNVBAoTDlZlcmlTaWduLCBJbmMuMTcwNQYDVQQLEy5DbGFz +cyAzIFB1YmxpYyBQcmltYXJ5IENlcnRpZmljYXRpb24gQXV0aG9yaXR5MB4XDTk2 +MDEyOTAwMDAwMFoXDTI4MDgwMTIzNTk1OVowXzELMAkGA1UEBhMCVVMxFzAVBgNV +BAoTDlZlcmlTaWduLCBJbmMuMTcwNQYDVQQLEy5DbGFzcyAzIFB1YmxpYyBQcmlt +YXJ5IENlcnRpZmljYXRpb24gQXV0aG9yaXR5MIGfMA0GCSqGSIb3DQEBAQUAA4GN +ADCBiQKBgQDJXFme8huKARS0EN8EQNvjV69qRUCPhAwL0TPZ2RHP7gJYHyX3KqhE +BarsAx94f56TuZoAqiN91qyFomNFx3InzPRMxnVx0jnvT0Lwdd8KkMaOIG+YD/is +I19wKTakyYbnsZogy1Olhec9vn2a/iRFM9x2Fe0PonFkTGUugWhFpwIDAQABMA0G +CSqGSIb3DQEBAgUAA4GBALtMEivPLCYATxQT3ab7/AoRhIzzKBxnki98tsX63/Do +lbwdj2wsqFHMc9ikwFPwTtYmwHYBV4GSXiHx0bH/59AhWM1pF+NEHJwZRDmJXNyc +AA9WjQKZ7aKQRUzkuxCkPfAyAw7xzvjoyVGM5mKf5p/AfbdynMk2OmufTqj/ZA1k +-----END CERTIFICATE----- + +Verisign Class 1 Public Primary Certification Authority - G2 +============================================================ + +-----BEGIN CERTIFICATE----- +MIIDAjCCAmsCEEzH6qqYPnHTkxD4PTqJkZIwDQYJKoZIhvcNAQEFBQAwgcExCzAJ +BgNVBAYTAlVTMRcwFQYDVQQKEw5WZXJpU2lnbiwgSW5jLjE8MDoGA1UECxMzQ2xh +c3MgMSBQdWJsaWMgUHJpbWFyeSBDZXJ0aWZpY2F0aW9uIEF1dGhvcml0eSAtIEcy +MTowOAYDVQQLEzEoYykgMTk5OCBWZXJpU2lnbiwgSW5jLiAtIEZvciBhdXRob3Jp +emVkIHVzZSBvbmx5MR8wHQYDVQQLExZWZXJpU2lnbiBUcnVzdCBOZXR3b3JrMB4X +DTk4MDUxODAwMDAwMFoXDTI4MDgwMTIzNTk1OVowgcExCzAJBgNVBAYTAlVTMRcw +FQYDVQQKEw5WZXJpU2lnbiwgSW5jLjE8MDoGA1UECxMzQ2xhc3MgMSBQdWJsaWMg +UHJpbWFyeSBDZXJ0aWZpY2F0aW9uIEF1dGhvcml0eSAtIEcyMTowOAYDVQQLEzEo +YykgMTk5OCBWZXJpU2lnbiwgSW5jLiAtIEZvciBhdXRob3JpemVkIHVzZSBvbmx5 +MR8wHQYDVQQLExZWZXJpU2lnbiBUcnVzdCBOZXR3b3JrMIGfMA0GCSqGSIb3DQEB +AQUAA4GNADCBiQKBgQCq0Lq+Fi24g9TK0g+8djHKlNgdk4xWArzZbxpvUjZudVYK +VdPfQ4chEWWKfo+9Id5rMj8bhDSVBZ1BNeuS65bdqlk/AVNtmU/t5eIqWpDBucSm +Fc/IReumXY6cPvBkJHalzasab7bYe1FhbqZ/h8jit+U03EGI6glAvnOSPWvndQID +AQABMA0GCSqGSIb3DQEBBQUAA4GBAKlPww3HZ74sy9mozS11534Vnjty637rXC0J +h9ZrbWB85a7FkCMMXErQr7Fd88e2CtvgFZMN3QO8x3aKtd1Pw5sTdbgBwObJW2ul +uIncrKTdcu1OofdPvAbT6shkdHvClUGcZXNY8ZCaPGqxmMnEh7zPRW1F4m4iP/68 +DzFc6PLZ +-----END CERTIFICATE----- + +Verisign Class 2 Public Primary Certification Authority - G2 +============================================================ + +-----BEGIN CERTIFICATE----- +MIIDAzCCAmwCEQC5L2DMiJ+hekYJuFtwbIqvMA0GCSqGSIb3DQEBBQUAMIHBMQsw +CQYDVQQGEwJVUzEXMBUGA1UEChMOVmVyaVNpZ24sIEluYy4xPDA6BgNVBAsTM0Ns +YXNzIDIgUHVibGljIFByaW1hcnkgQ2VydGlmaWNhdGlvbiBBdXRob3JpdHkgLSBH +MjE6MDgGA1UECxMxKGMpIDE5OTggVmVyaVNpZ24sIEluYy4gLSBGb3IgYXV0aG9y +aXplZCB1c2Ugb25seTEfMB0GA1UECxMWVmVyaVNpZ24gVHJ1c3QgTmV0d29yazAe +Fw05ODA1MTgwMDAwMDBaFw0yODA4MDEyMzU5NTlaMIHBMQswCQYDVQQGEwJVUzEX +MBUGA1UEChMOVmVyaVNpZ24sIEluYy4xPDA6BgNVBAsTM0NsYXNzIDIgUHVibGlj +IFByaW1hcnkgQ2VydGlmaWNhdGlvbiBBdXRob3JpdHkgLSBHMjE6MDgGA1UECxMx +KGMpIDE5OTggVmVyaVNpZ24sIEluYy4gLSBGb3IgYXV0aG9yaXplZCB1c2Ugb25s +eTEfMB0GA1UECxMWVmVyaVNpZ24gVHJ1c3QgTmV0d29yazCBnzANBgkqhkiG9w0B +AQEFAAOBjQAwgYkCgYEAp4gBIXQs5xoD8JjhlzwPIQjxnNuX6Zr8wgQGE75fUsjM +HiwSViy4AWkszJkfrbCWrnkE8hM5wXuYuggs6MKEEyyqaekJ9MepAqRCwiNPStjw +DqL7MWzJ5m+ZJwf15vRMeJ5t60aG+rmGyVTyssSv1EYcWskVMP8NbPUtDm3Of3cC +AwEAATANBgkqhkiG9w0BAQUFAAOBgQByLvl/0fFx+8Se9sVeUYpAmLho+Jscg9ji +nb3/7aHmZuovCfTK1+qlK5X2JGCGTUQug6XELaDTrnhpb3LabK4I8GOSN+a7xDAX +rXfMSTWqz9iP0b63GJZHc2pUIjRkLbYWm1lbtFFZOrMLFPQS32eg9K0yZF6xRnIn +jBJ7xUS0rg== +-----END CERTIFICATE----- + +Verisign Class 3 Public Primary Certification Authority - G2 +============================================================ + +-----BEGIN CERTIFICATE----- +MIIDAjCCAmsCEH3Z/gfPqB63EHln+6eJNMYwDQYJKoZIhvcNAQEFBQAwgcExCzAJ +BgNVBAYTAlVTMRcwFQYDVQQKEw5WZXJpU2lnbiwgSW5jLjE8MDoGA1UECxMzQ2xh +c3MgMyBQdWJsaWMgUHJpbWFyeSBDZXJ0aWZpY2F0aW9uIEF1dGhvcml0eSAtIEcy +MTowOAYDVQQLEzEoYykgMTk5OCBWZXJpU2lnbiwgSW5jLiAtIEZvciBhdXRob3Jp +emVkIHVzZSBvbmx5MR8wHQYDVQQLExZWZXJpU2lnbiBUcnVzdCBOZXR3b3JrMB4X +DTk4MDUxODAwMDAwMFoXDTI4MDgwMTIzNTk1OVowgcExCzAJBgNVBAYTAlVTMRcw +FQYDVQQKEw5WZXJpU2lnbiwgSW5jLjE8MDoGA1UECxMzQ2xhc3MgMyBQdWJsaWMg +UHJpbWFyeSBDZXJ0aWZpY2F0aW9uIEF1dGhvcml0eSAtIEcyMTowOAYDVQQLEzEo +YykgMTk5OCBWZXJpU2lnbiwgSW5jLiAtIEZvciBhdXRob3JpemVkIHVzZSBvbmx5 +MR8wHQYDVQQLExZWZXJpU2lnbiBUcnVzdCBOZXR3b3JrMIGfMA0GCSqGSIb3DQEB +AQUAA4GNADCBiQKBgQDMXtERXVxp0KvTuWpMmR9ZmDCOFoUgRm1HP9SFIIThbbP4 +pO0M8RcPO/mn+SXXwc+EY/J8Y8+iR/LGWzOOZEAEaMGAuWQcRXfH2G71lSk8UOg0 +13gfqLptQ5GVj0VXXn7F+8qkBOvqlzdUMG+7AUcyM83cV5tkaWH4mx0ciU9cZwID +AQABMA0GCSqGSIb3DQEBBQUAA4GBAFFNzb5cy5gZnBWyATl4Lk0PZ3BwmcYQWpSk +U01UbSuvDV1Ai2TT1+7eVmGSX6bEHRBhNtMsJzzoKQm5EWR0zLVznxxIqbxhAe7i +F6YM40AIOw7n60RzKprxaZLvcRTDOaxxp5EJb+RxBrO6WVcmeQD2+A2iMzAo1KpY +oJ2daZH9 +-----END CERTIFICATE----- + +Verisign Class 4 Public Primary Certification Authority - G2 +============================================================ + +-----BEGIN CERTIFICATE----- +MIIDAjCCAmsCEDKIjprS9esTR/h/xCA3JfgwDQYJKoZIhvcNAQEFBQAwgcExCzAJ +BgNVBAYTAlVTMRcwFQYDVQQKEw5WZXJpU2lnbiwgSW5jLjE8MDoGA1UECxMzQ2xh +c3MgNCBQdWJsaWMgUHJpbWFyeSBDZXJ0aWZpY2F0aW9uIEF1dGhvcml0eSAtIEcy +MTowOAYDVQQLEzEoYykgMTk5OCBWZXJpU2lnbiwgSW5jLiAtIEZvciBhdXRob3Jp +emVkIHVzZSBvbmx5MR8wHQYDVQQLExZWZXJpU2lnbiBUcnVzdCBOZXR3b3JrMB4X +DTk4MDUxODAwMDAwMFoXDTI4MDgwMTIzNTk1OVowgcExCzAJBgNVBAYTAlVTMRcw +FQYDVQQKEw5WZXJpU2lnbiwgSW5jLjE8MDoGA1UECxMzQ2xhc3MgNCBQdWJsaWMg +UHJpbWFyeSBDZXJ0aWZpY2F0aW9uIEF1dGhvcml0eSAtIEcyMTowOAYDVQQLEzEo +YykgMTk5OCBWZXJpU2lnbiwgSW5jLiAtIEZvciBhdXRob3JpemVkIHVzZSBvbmx5 +MR8wHQYDVQQLExZWZXJpU2lnbiBUcnVzdCBOZXR3b3JrMIGfMA0GCSqGSIb3DQEB +AQUAA4GNADCBiQKBgQC68OTP+cSuhVS5B1f5j8V/aBH4xBewRNzjMHPVKmIquNDM +HO0oW369atyzkSTKQWI8/AIBvxwWMZQFl3Zuoq29YRdsTjCG8FE3KlDHqGKB3FtK +qsGgtG7rL+VXxbErQHDbWk2hjh+9Ax/YA9SPTJlxvOKCzFjomDqG04Y48wApHwID +AQABMA0GCSqGSIb3DQEBBQUAA4GBAIWMEsGnuVAVess+rLhDityq3RS6iYF+ATwj +cSGIL4LcY/oCRaxFWdcqWERbt5+BO5JoPeI3JPV7bI92NZYJqFmduc4jq3TWg/0y +cyfYaT5DdPauxYma51N86Xv2S/PBZYPejYqcPIiNOVn8qj8ijaHBZlCBckztImRP +T8qAkbYp +-----END CERTIFICATE----- + +Verisign Class 1 Public Primary Certification Authority - G3 +============================================================ + +-----BEGIN CERTIFICATE----- +MIIEGjCCAwICEQCLW3VWhFSFCwDPrzhIzrGkMA0GCSqGSIb3DQEBBQUAMIHKMQsw +CQYDVQQGEwJVUzEXMBUGA1UEChMOVmVyaVNpZ24sIEluYy4xHzAdBgNVBAsTFlZl +cmlTaWduIFRydXN0IE5ldHdvcmsxOjA4BgNVBAsTMShjKSAxOTk5IFZlcmlTaWdu +LCBJbmMuIC0gRm9yIGF1dGhvcml6ZWQgdXNlIG9ubHkxRTBDBgNVBAMTPFZlcmlT +aWduIENsYXNzIDEgUHVibGljIFByaW1hcnkgQ2VydGlmaWNhdGlvbiBBdXRob3Jp +dHkgLSBHMzAeFw05OTEwMDEwMDAwMDBaFw0zNjA3MTYyMzU5NTlaMIHKMQswCQYD +VQQGEwJVUzEXMBUGA1UEChMOVmVyaVNpZ24sIEluYy4xHzAdBgNVBAsTFlZlcmlT +aWduIFRydXN0IE5ldHdvcmsxOjA4BgNVBAsTMShjKSAxOTk5IFZlcmlTaWduLCBJ +bmMuIC0gRm9yIGF1dGhvcml6ZWQgdXNlIG9ubHkxRTBDBgNVBAMTPFZlcmlTaWdu +IENsYXNzIDEgUHVibGljIFByaW1hcnkgQ2VydGlmaWNhdGlvbiBBdXRob3JpdHkg +LSBHMzCCASIwDQYJKoZIhvcNAQEBBQADggEPADCCAQoCggEBAN2E1Lm0+afY8wR4 +nN493GwTFtl63SRRZsDHJlkNrAYIwpTRMx/wgzUfbhvI3qpuFU5UJ+/EbRrsC+MO +8ESlV8dAWB6jRx9x7GD2bZTIGDnt/kIYVt/kTEkQeE4BdjVjEjbdZrwBBDajVWjV +ojYJrKshJlQGrT/KFOCsyq0GHZXi+J3x4GD/wn91K0zM2v6HmSHquv4+VNfSWXjb +PG7PoBMAGrgnoeS+Z5bKoMWznN3JdZ7rMJpfo83ZrngZPyPpXNspva1VyBtUjGP2 +6KbqxzcSXKMpHgLZ2x87tNcPVkeBFQRKr4Mn0cVYiMHd9qqnoxjaaKptEVHhv2Vr +n5Z20T0CAwEAATANBgkqhkiG9w0BAQUFAAOCAQEAq2aN17O6x5q25lXQBfGfMY1a +qtmqRiYPce2lrVNWYgFHKkTp/j90CxObufRNG7LRX7K20ohcs5/Ny9Sn2WCVhDr4 +wTcdYcrnsMXlkdpUpqwxga6X3s0IrLjAl4B/bnKk52kTlWUfxJM8/XmPBNQ+T+r3 +ns7NZ3xPZQL/kYVUc8f/NveGLezQXk//EZ9yBta4GvFMDSZl4kSAHsef493oCtrs +pSCAaWihT37ha88HQfqDjrw43bAuEbFrskLMmrz5SCJ5ShkPshw+IHTZasO+8ih4 +E1Z5T21Q6huwtVexN2ZYI/PcD98Kh8TvhgXVOBRgmaNL3gaWcSzy27YfpO8/7g== +-----END CERTIFICATE----- + +Verisign Class 2 Public Primary Certification Authority - G3 +============================================================ + +-----BEGIN CERTIFICATE----- +MIIEGTCCAwECEGFwy0mMX5hFKeewptlQW3owDQYJKoZIhvcNAQEFBQAwgcoxCzAJ +BgNVBAYTAlVTMRcwFQYDVQQKEw5WZXJpU2lnbiwgSW5jLjEfMB0GA1UECxMWVmVy +aVNpZ24gVHJ1c3QgTmV0d29yazE6MDgGA1UECxMxKGMpIDE5OTkgVmVyaVNpZ24s +IEluYy4gLSBGb3IgYXV0aG9yaXplZCB1c2Ugb25seTFFMEMGA1UEAxM8VmVyaVNp +Z24gQ2xhc3MgMiBQdWJsaWMgUHJpbWFyeSBDZXJ0aWZpY2F0aW9uIEF1dGhvcml0 +eSAtIEczMB4XDTk5MTAwMTAwMDAwMFoXDTM2MDcxNjIzNTk1OVowgcoxCzAJBgNV +BAYTAlVTMRcwFQYDVQQKEw5WZXJpU2lnbiwgSW5jLjEfMB0GA1UECxMWVmVyaVNp +Z24gVHJ1c3QgTmV0d29yazE6MDgGA1UECxMxKGMpIDE5OTkgVmVyaVNpZ24sIElu +Yy4gLSBGb3IgYXV0aG9yaXplZCB1c2Ugb25seTFFMEMGA1UEAxM8VmVyaVNpZ24g +Q2xhc3MgMiBQdWJsaWMgUHJpbWFyeSBDZXJ0aWZpY2F0aW9uIEF1dGhvcml0eSAt +IEczMIIBIjANBgkqhkiG9w0BAQEFAAOCAQ8AMIIBCgKCAQEArwoNwtUs22e5LeWU +J92lvuCwTY+zYVY81nzD9M0+hsuiiOLh2KRpxbXiv8GmR1BeRjmL1Za6tW8UvxDO +JxOeBUebMXoT2B/Z0wI3i60sR/COgQanDTAM6/c8DyAd3HJG7qUCyFvDyVZpTMUY +wZF7C9UTAJu878NIPkZgIIUq1ZC2zYugzDLdt/1AVbJQHFauzI13TccgTacxdu9o +koqQHgiBVrKtaaNS0MscxCM9H5n+TOgWY47GCI72MfbS+uV23bUckqNJzc0BzWjN +qWm6o+sdDZykIKbBoMXRRkwXbdKsZj+WjOCE1Db/IlnF+RFgqF8EffIa9iVCYQ/E +Srg+iQIDAQABMA0GCSqGSIb3DQEBBQUAA4IBAQA0JhU8wI1NQ0kdvekhktdmnLfe +xbjQ5F1fdiLAJvmEOjr5jLX77GDx6M4EsMjdpwOPMPOY36TmpDHf0xwLRtxyID+u +7gU8pDM/CzmscHhzS5kr3zDCVLCoO1Wh/hYozUK9dG6A2ydEp85EXdQbkJgNHkKU +sQAsBNB0owIFImNjzYO1+8FtYmtpdf1dcEG59b98377BMnMiIYtYgXsVkXq642RI +sH/7NiXaldDxJBQX3RiAa0YjOVT1jmIJBB2UkKab5iXiQkWquJCtvgiPqQtCGJTP +cjnhsUPgKM+351psE2tJs//jGHyJizNdrDPXp/naOlXJWBD5qu9ats9LS98q +-----END CERTIFICATE----- + +Verisign Class 3 Public Primary Certification Authority - G3 +============================================================ + +-----BEGIN CERTIFICATE----- +MIIEGjCCAwICEQCbfgZJoz5iudXukEhxKe9XMA0GCSqGSIb3DQEBBQUAMIHKMQsw +CQYDVQQGEwJVUzEXMBUGA1UEChMOVmVyaVNpZ24sIEluYy4xHzAdBgNVBAsTFlZl +cmlTaWduIFRydXN0IE5ldHdvcmsxOjA4BgNVBAsTMShjKSAxOTk5IFZlcmlTaWdu +LCBJbmMuIC0gRm9yIGF1dGhvcml6ZWQgdXNlIG9ubHkxRTBDBgNVBAMTPFZlcmlT +aWduIENsYXNzIDMgUHVibGljIFByaW1hcnkgQ2VydGlmaWNhdGlvbiBBdXRob3Jp +dHkgLSBHMzAeFw05OTEwMDEwMDAwMDBaFw0zNjA3MTYyMzU5NTlaMIHKMQswCQYD +VQQGEwJVUzEXMBUGA1UEChMOVmVyaVNpZ24sIEluYy4xHzAdBgNVBAsTFlZlcmlT +aWduIFRydXN0IE5ldHdvcmsxOjA4BgNVBAsTMShjKSAxOTk5IFZlcmlTaWduLCBJ +bmMuIC0gRm9yIGF1dGhvcml6ZWQgdXNlIG9ubHkxRTBDBgNVBAMTPFZlcmlTaWdu +IENsYXNzIDMgUHVibGljIFByaW1hcnkgQ2VydGlmaWNhdGlvbiBBdXRob3JpdHkg +LSBHMzCCASIwDQYJKoZIhvcNAQEBBQADggEPADCCAQoCggEBAMu6nFL8eB8aHm8b +N3O9+MlrlBIwT/A2R/XQkQr1F8ilYcEWQE37imGQ5XYgwREGfassbqb1EUGO+i2t +KmFZpGcmTNDovFJbcCAEWNF6yaRpvIMXZK0Fi7zQWM6NjPXr8EJJC52XJ2cybuGu +kxUccLwgTS8Y3pKI6GyFVxEa6X7jJhFUokWWVYPKMIno3Nij7SqAP395ZVc+FSBm +CC+Vk7+qRy+oRpfwEuL+wgorUeZ25rdGt+INpsyow0xZVYnm6FNcHOqd8GIWC6fJ +Xwzw3sJ2zq/3avL6QaaiMxTJ5Xpj055iN9WFZZ4O5lMkdBteHRJTW8cs54NJOxWu +imi5V5cCAwEAATANBgkqhkiG9w0BAQUFAAOCAQEAERSWwauSCPc/L8my/uRan2Te +2yFPhpk0djZX3dAVL8WtfxUfN2JzPtTnX84XA9s1+ivbrmAJXx5fj267Cz3qWhMe +DGBvtcC1IyIuBwvLqXTLR7sdwdela8wv0kL9Sd2nic9TutoAWii/gt/4uhMdUIaC +/Y4wjylGsB49Ndo4YhYYSq3mtlFs3q9i6wHQHiT+eo8SGhJouPtmmRQURVyu565p +F4ErWjfJXir0xuKhXFSbplQAz/DxwceYMBo7Nhbbo27q/a2ywtrvAkcTisDxszGt +TxzhT5yvDwyd93gN2PQ1VoDat20Xj50egWTh/sVFuq1ruQp6Tk9LhO5L8X3dEQ== +-----END CERTIFICATE----- + +Verisign Class 4 Public Primary Certification Authority - G3 +============================================================ + +-----BEGIN CERTIFICATE----- +MIIEGjCCAwICEQDsoKeLbnVqAc/EfMwvlF7XMA0GCSqGSIb3DQEBBQUAMIHKMQsw +CQYDVQQGEwJVUzEXMBUGA1UEChMOVmVyaVNpZ24sIEluYy4xHzAdBgNVBAsTFlZl +cmlTaWduIFRydXN0IE5ldHdvcmsxOjA4BgNVBAsTMShjKSAxOTk5IFZlcmlTaWdu +LCBJbmMuIC0gRm9yIGF1dGhvcml6ZWQgdXNlIG9ubHkxRTBDBgNVBAMTPFZlcmlT +aWduIENsYXNzIDQgUHVibGljIFByaW1hcnkgQ2VydGlmaWNhdGlvbiBBdXRob3Jp +dHkgLSBHMzAeFw05OTEwMDEwMDAwMDBaFw0zNjA3MTYyMzU5NTlaMIHKMQswCQYD +VQQGEwJVUzEXMBUGA1UEChMOVmVyaVNpZ24sIEluYy4xHzAdBgNVBAsTFlZlcmlT +aWduIFRydXN0IE5ldHdvcmsxOjA4BgNVBAsTMShjKSAxOTk5IFZlcmlTaWduLCBJ +bmMuIC0gRm9yIGF1dGhvcml6ZWQgdXNlIG9ubHkxRTBDBgNVBAMTPFZlcmlTaWdu +IENsYXNzIDQgUHVibGljIFByaW1hcnkgQ2VydGlmaWNhdGlvbiBBdXRob3JpdHkg +LSBHMzCCASIwDQYJKoZIhvcNAQEBBQADggEPADCCAQoCggEBAK3LpRFpxlmr8Y+1 +GQ9Wzsy1HyDkniYlS+BzZYlZ3tCD5PUPtbut8XzoIfzk6AzufEUiGXaStBO3IFsJ ++mGuqPKljYXCKtbeZjbSmwL0qJJgfJxptI8kHtCGUvYynEFYHiK9zUVilQhu0Gbd +U6LM8BDcVHOLBKFGMzNcF0C5nk3T875Vg+ixiY5afJqWIpA7iCXy0lOIAgwLePLm +NxdLMEYH5IBtptiWLugs+BGzOA1mppvqySNb247i8xOOGlktqgLw7KSHZtzBP/XY +ufTsgsbSPZUd5cBPhMnZo0QoBmrXRazwa2rvTl/4EYIeOGM0ZlDUPpNz+jDDZq3/ +ky2X7wMCAwEAATANBgkqhkiG9w0BAQUFAAOCAQEAj/ola09b5KROJ1WrIhVZPMq1 +CtRK26vdoV9TxaBXOcLORyu+OshWv8LZJxA6sQU8wHcxuzrTBXttmhwwjIDLk5Mq +g6sFUYICABFna/OIYUdfA5PVWw3g8dShMjWFsjrbsIKr0csKvE+MW8VLADsfKoKm +fjaF3H48ZwC15DtS4KjrXRX5xm3wrR0OhbepmnMUWluPQSjA1egtTaRezarZ7c7c +2NU8Qh0XwRJdRTjDOPP8hS6DRkiy1yBfkjaP53kPmF6Z6PDQpLv1U70qzlmwr25/ +bLvSHgCwIe34QWKCudiyxLtGUPMxxY8BqHTr9Xgn2uf3ZkPznoM+IKrDNWCRzg== +-----END CERTIFICATE----- + +Equifax Secure Global eBusiness CA +================================== + +-----BEGIN CERTIFICATE----- +MIICkDCCAfmgAwIBAgIBATANBgkqhkiG9w0BAQQFADBaMQswCQYDVQQGEwJVUzEc +MBoGA1UEChMTRXF1aWZheCBTZWN1cmUgSW5jLjEtMCsGA1UEAxMkRXF1aWZheCBT +ZWN1cmUgR2xvYmFsIGVCdXNpbmVzcyBDQS0xMB4XDTk5MDYyMTA0MDAwMFoXDTIw +MDYyMTA0MDAwMFowWjELMAkGA1UEBhMCVVMxHDAaBgNVBAoTE0VxdWlmYXggU2Vj +dXJlIEluYy4xLTArBgNVBAMTJEVxdWlmYXggU2VjdXJlIEdsb2JhbCBlQnVzaW5l +c3MgQ0EtMTCBnzANBgkqhkiG9w0BAQEFAAOBjQAwgYkCgYEAuucXkAJlsTRVPEnC +UdXfp9E3j9HngXNBUmCbnaEXJnitx7HoJpQytd4zjTov2/KaelpzmKNc6fuKcxtc +58O/gGzNqfTWK8D3+ZmqY6KxRwIP1ORROhI8bIpaVIRw28HFkM9yRcuoWcDNM50/ +o5brhTMhHD4ePmBudpxnhcXIw2ECAwEAAaNmMGQwEQYJYIZIAYb4QgEBBAQDAgAH +MA8GA1UdEwEB/wQFMAMBAf8wHwYDVR0jBBgwFoAUvqigdHJQa0S3ySPY+6j/s1dr +aGwwHQYDVR0OBBYEFL6ooHRyUGtEt8kj2Puo/7NXa2hsMA0GCSqGSIb3DQEBBAUA +A4GBADDiAVGqx+pf2rnQZQ8w1j7aDRRJbpGTJxQx78T3LUX47Me/okENI7SS+RkA +Z70Br83gcfxaz2TE4JaY0KNA4gGK7ycH8WUBikQtBmV1UsCGECAhX2xrD2yuCRyv +8qIYNMR1pHMc8Y3c7635s3a0kr/clRAevsvIO1qEYBlWlKlV +-----END CERTIFICATE----- + +Equifax Secure eBusiness CA 1 +============================= + +-----BEGIN CERTIFICATE----- +MIICgjCCAeugAwIBAgIBBDANBgkqhkiG9w0BAQQFADBTMQswCQYDVQQGEwJVUzEc +MBoGA1UEChMTRXF1aWZheCBTZWN1cmUgSW5jLjEmMCQGA1UEAxMdRXF1aWZheCBT +ZWN1cmUgZUJ1c2luZXNzIENBLTEwHhcNOTkwNjIxMDQwMDAwWhcNMjAwNjIxMDQw +MDAwWjBTMQswCQYDVQQGEwJVUzEcMBoGA1UEChMTRXF1aWZheCBTZWN1cmUgSW5j +LjEmMCQGA1UEAxMdRXF1aWZheCBTZWN1cmUgZUJ1c2luZXNzIENBLTEwgZ8wDQYJ +KoZIhvcNAQEBBQADgY0AMIGJAoGBAM4vGbwXt3fek6lfWg0XTzQaDJj0ItlZ1MRo +RvC0NcWFAyDGr0WlIVFFQesWWDYyb+JQYmT5/VGcqiTZ9J2DKocKIdMSODRsjQBu +WqDZQu4aIZX5UkxVWsUPOE9G+m34LjXWHXzr4vCwdYDIqROsvojvOm6rXyo4YgKw +Env+j6YDAgMBAAGjZjBkMBEGCWCGSAGG+EIBAQQEAwIABzAPBgNVHRMBAf8EBTAD +AQH/MB8GA1UdIwQYMBaAFEp4MlIR21kWNl7fwRQ2QGpHfEyhMB0GA1UdDgQWBBRK +eDJSEdtZFjZe38EUNkBqR3xMoTANBgkqhkiG9w0BAQQFAAOBgQB1W6ibAxHm6VZM +zfmpTMANmvPMZWnmJXbMWbfWVMMdzZmsGd20hdXgPfxiIKeES1hl8eL5lSE/9dR+ +WB5Hh1Q+WKG1tfgq73HnvMP2sUlG4tega+VWeponmHxGYhTnyfxuAxJ5gDgdSIKN +/Bf+KpYrtWKmpj29f5JZzVoqgrI3eQ== +-----END CERTIFICATE----- + +Equifax Secure eBusiness CA 2 +============================= + +-----BEGIN CERTIFICATE----- +MIIDIDCCAomgAwIBAgIEN3DPtTANBgkqhkiG9w0BAQUFADBOMQswCQYDVQQGEwJV +UzEXMBUGA1UEChMORXF1aWZheCBTZWN1cmUxJjAkBgNVBAsTHUVxdWlmYXggU2Vj +dXJlIGVCdXNpbmVzcyBDQS0yMB4XDTk5MDYyMzEyMTQ0NVoXDTE5MDYyMzEyMTQ0 +NVowTjELMAkGA1UEBhMCVVMxFzAVBgNVBAoTDkVxdWlmYXggU2VjdXJlMSYwJAYD +VQQLEx1FcXVpZmF4IFNlY3VyZSBlQnVzaW5lc3MgQ0EtMjCBnzANBgkqhkiG9w0B +AQEFAAOBjQAwgYkCgYEA5Dk5kx5SBhsoNviyoynF7Y6yEb3+6+e0dMKP/wXn2Z0G +vxLIPw7y1tEkshHe0XMJitSxLJgJDR5QRrKDpkWNYmi7hRsgcDKqQM2mll/EcTc/ +BPO3QSQ5BxoeLmFYoBIL5aXfxavqN3HMHMg3OrmXUqesxWoklE6ce8/AatbfIb0C +AwEAAaOCAQkwggEFMHAGA1UdHwRpMGcwZaBjoGGkXzBdMQswCQYDVQQGEwJVUzEX +MBUGA1UEChMORXF1aWZheCBTZWN1cmUxJjAkBgNVBAsTHUVxdWlmYXggU2VjdXJl +IGVCdXNpbmVzcyBDQS0yMQ0wCwYDVQQDEwRDUkwxMBoGA1UdEAQTMBGBDzIwMTkw +NjIzMTIxNDQ1WjALBgNVHQ8EBAMCAQYwHwYDVR0jBBgwFoAUUJ4L6q9euSBIplBq +y/3YIHqngnYwHQYDVR0OBBYEFFCeC+qvXrkgSKZQasv92CB6p4J2MAwGA1UdEwQF +MAMBAf8wGgYJKoZIhvZ9B0EABA0wCxsFVjMuMGMDAgbAMA0GCSqGSIb3DQEBBQUA +A4GBAAyGgq3oThr1jokn4jVYPSm0B482UJW/bsGe68SQsoWou7dC4A8HOd/7npCy +0cE+U58DRLB+S/Rv5Hwf5+Kx5Lia78O9zt4LMjTZ3ijtM2vE1Nc9ElirfQkty3D1 +E4qUoSek1nDFbZS1yX2doNLGCEnZZpum0/QL3MUmV+GRMOrN +-----END CERTIFICATE----- + +Thawte Time Stamping CA +======================= + +-----BEGIN CERTIFICATE----- +MIICoTCCAgqgAwIBAgIBADANBgkqhkiG9w0BAQQFADCBizELMAkGA1UEBhMCWkEx +FTATBgNVBAgTDFdlc3Rlcm4gQ2FwZTEUMBIGA1UEBxMLRHVyYmFudmlsbGUxDzAN +BgNVBAoTBlRoYXd0ZTEdMBsGA1UECxMUVGhhd3RlIENlcnRpZmljYXRpb24xHzAd +BgNVBAMTFlRoYXd0ZSBUaW1lc3RhbXBpbmcgQ0EwHhcNOTcwMTAxMDAwMDAwWhcN +MjAxMjMxMjM1OTU5WjCBizELMAkGA1UEBhMCWkExFTATBgNVBAgTDFdlc3Rlcm4g +Q2FwZTEUMBIGA1UEBxMLRHVyYmFudmlsbGUxDzANBgNVBAoTBlRoYXd0ZTEdMBsG +A1UECxMUVGhhd3RlIENlcnRpZmljYXRpb24xHzAdBgNVBAMTFlRoYXd0ZSBUaW1l +c3RhbXBpbmcgQ0EwgZ8wDQYJKoZIhvcNAQEBBQADgY0AMIGJAoGBANYrWHhhRYZT +6jR7UZztsOYuGA7+4F+oJ9O0yeB8WU4WDnNUYMF/9p8u6TqFJBU820cEY8OexJQa +Wt9MevPZQx08EHp5JduQ/vBR5zDWQQD9nyjfeb6Uu522FOMjhdepQeBMpHmwKxqL +8vg7ij5FrHGSALSQQZj7X+36ty6K+Ig3AgMBAAGjEzARMA8GA1UdEwEB/wQFMAMB +Af8wDQYJKoZIhvcNAQEEBQADgYEAZ9viwuaHPUCDhjc1fR/OmsMMZiCouqoEiYbC +9RAIDb/LogWK0E02PvTX72nGXuSwlG9KuefeW4i2e9vjJ+V2w/A1wcu1J5szedyQ +pgCed/r8zSeUQhac0xxo7L9c3eWpexAKMnRUEzGLhQOEkbdYATAUOK8oyvyxUBkZ +CayJSdM= +-----END CERTIFICATE----- + +thawte Primary Root CA +====================== + +-----BEGIN CERTIFICATE----- +MIIEIDCCAwigAwIBAgIQNE7VVyDV7exJ9C/ON9srbTANBgkqhkiG9w0BAQUFADCB +qTELMAkGA1UEBhMCVVMxFTATBgNVBAoTDHRoYXd0ZSwgSW5jLjEoMCYGA1UECxMf +Q2VydGlmaWNhdGlvbiBTZXJ2aWNlcyBEaXZpc2lvbjE4MDYGA1UECxMvKGMpIDIw +MDYgdGhhd3RlLCBJbmMuIC0gRm9yIGF1dGhvcml6ZWQgdXNlIG9ubHkxHzAdBgNV +BAMTFnRoYXd0ZSBQcmltYXJ5IFJvb3QgQ0EwHhcNMDYxMTE3MDAwMDAwWhcNMzYw +NzE2MjM1OTU5WjCBqTELMAkGA1UEBhMCVVMxFTATBgNVBAoTDHRoYXd0ZSwgSW5j +LjEoMCYGA1UECxMfQ2VydGlmaWNhdGlvbiBTZXJ2aWNlcyBEaXZpc2lvbjE4MDYG +A1UECxMvKGMpIDIwMDYgdGhhd3RlLCBJbmMuIC0gRm9yIGF1dGhvcml6ZWQgdXNl +IG9ubHkxHzAdBgNVBAMTFnRoYXd0ZSBQcmltYXJ5IFJvb3QgQ0EwggEiMA0GCSqG +SIb3DQEBAQUAA4IBDwAwggEKAoIBAQCsoPD7gFnUnMekz52hWXMJEEUMDSxuaPFs +W0hoSVk3/AszGcJ3f8wQLZU0HObrTQmnHNK4yZc2AreJ1CRfBsDMRJSUjQJib+ta +3RGNKJpchJAQeg29dGYvajig4tVUROsdB58Hum/u6f1OCyn1PoSgAfGcq/gcfomk +6KHYcWUNo1F77rzSImANuVud37r8UVsLr5iy6S7pBOhih94ryNdOwUxkHt3Ph1i6 +Sk/KaAcdHJ1KxtUvkcx8cXIcxcBn6zL9yZJclNqFwJu/U30rCfSMnZEfl2pSy94J +NqR32HuHUETVPm4pafs5SSYeCaWAe0At6+gnhcn+Yf1+5nyXHdWdAgMBAAGjQjBA +MA8GA1UdEwEB/wQFMAMBAf8wDgYDVR0PAQH/BAQDAgEGMB0GA1UdDgQWBBR7W0XP +r87Lev0xkhpqtvNG61dIUDANBgkqhkiG9w0BAQUFAAOCAQEAeRHAS7ORtvzw6WfU +DW5FvlXok9LOAz/t2iWwHVfLHjp2oEzsUHboZHIMpKnxuIvW1oeEuzLlQRHAd9mz +YJ3rG9XRbkREqaYB7FViHXe4XI5ISXycO1cRrK1zN44veFyQaEfZYGDm/Ac9IiAX +xPcW6cTYcvnIc3zfFi8VqT79aie2oetaupgf1eNNZAqdE8hhuvU5HIe6uL17In/2 +/qxAeeWsEG89jxt5dovEN7MhGITlNgDrYyCZuen+MwS7QcjBAvlEYyCegc5C09Y/ +LHbTY5xZ3Y+m4Q6gLkH3LpVHz7z9M/P2C2F+fpErgUfCJzDupxBdN49cOSvkBPB7 +jVaMaA== +-----END CERTIFICATE----- + +VeriSign Class 3 Public Primary Certification Authority - G5 +============================================================ + +-----BEGIN CERTIFICATE----- +MIIE0zCCA7ugAwIBAgIQGNrRniZ96LtKIVjNzGs7SjANBgkqhkiG9w0BAQUFADCB +yjELMAkGA1UEBhMCVVMxFzAVBgNVBAoTDlZlcmlTaWduLCBJbmMuMR8wHQYDVQQL +ExZWZXJpU2lnbiBUcnVzdCBOZXR3b3JrMTowOAYDVQQLEzEoYykgMjAwNiBWZXJp +U2lnbiwgSW5jLiAtIEZvciBhdXRob3JpemVkIHVzZSBvbmx5MUUwQwYDVQQDEzxW +ZXJpU2lnbiBDbGFzcyAzIFB1YmxpYyBQcmltYXJ5IENlcnRpZmljYXRpb24gQXV0 +aG9yaXR5IC0gRzUwHhcNMDYxMTA4MDAwMDAwWhcNMzYwNzE2MjM1OTU5WjCByjEL +MAkGA1UEBhMCVVMxFzAVBgNVBAoTDlZlcmlTaWduLCBJbmMuMR8wHQYDVQQLExZW +ZXJpU2lnbiBUcnVzdCBOZXR3b3JrMTowOAYDVQQLEzEoYykgMjAwNiBWZXJpU2ln +biwgSW5jLiAtIEZvciBhdXRob3JpemVkIHVzZSBvbmx5MUUwQwYDVQQDEzxWZXJp +U2lnbiBDbGFzcyAzIFB1YmxpYyBQcmltYXJ5IENlcnRpZmljYXRpb24gQXV0aG9y +aXR5IC0gRzUwggEiMA0GCSqGSIb3DQEBAQUAA4IBDwAwggEKAoIBAQCvJAgIKXo1 +nmAMqudLO07cfLw8RRy7K+D+KQL5VwijZIUVJ/XxrcgxiV0i6CqqpkKzj/i5Vbex +t0uz/o9+B1fs70PbZmIVYc9gDaTY3vjgw2IIPVQT60nKWVSFJuUrjxuf6/WhkcIz +SdhDY2pSS9KP6HBRTdGJaXvHcPaz3BJ023tdS1bTlr8Vd6Gw9KIl8q8ckmcY5fQG +BO+QueQA5N06tRn/Arr0PO7gi+s3i+z016zy9vA9r911kTMZHRxAy3QkGSGT2RT+ +rCpSx4/VBEnkjWNHiDxpg8v+R70rfk/Fla4OndTRQ8Bnc+MUCH7lP59zuDMKz10/ +NIeWiu5T6CUVAgMBAAGjgbIwga8wDwYDVR0TAQH/BAUwAwEB/zAOBgNVHQ8BAf8E +BAMCAQYwbQYIKwYBBQUHAQwEYTBfoV2gWzBZMFcwVRYJaW1hZ2UvZ2lmMCEwHzAH +BgUrDgMCGgQUj+XTGoasjY5rw8+AatRIGCx7GS4wJRYjaHR0cDovL2xvZ28udmVy +aXNpZ24uY29tL3ZzbG9nby5naWYwHQYDVR0OBBYEFH/TZafC3ey78DAJ80M5+gKv +MzEzMA0GCSqGSIb3DQEBBQUAA4IBAQCTJEowX2LP2BqYLz3q3JktvXf2pXkiOOzE +p6B4Eq1iDkVwZMXnl2YtmAl+X6/WzChl8gGqCBpH3vn5fJJaCGkgDdk+bW48DW7Y +5gaRQBi5+MHt39tBquCWIMnNZBU4gcmU7qKEKQsTb47bDN0lAtukixlE0kF6BWlK +WE9gyn6CagsCqiUXObXbf+eEZSqVir2G3l6BFoMtEMze/aiCKm0oHw0LxOXnGiYZ +4fQRbxC1lfznQgUy286dUV4otp6F01vvpX1FQHKOtw5rDgb7MzVIcbidJ4vEZV8N +hnacRHr2lVz2XTIIM6RUthg/aFzyQkqFOFSDX9HoLPKsEdao7WNq +-----END CERTIFICATE----- + +Entrust.net Secure Server Certification Authority +================================================= + +-----BEGIN CERTIFICATE----- +MIIE2DCCBEGgAwIBAgIEN0rSQzANBgkqhkiG9w0BAQUFADCBwzELMAkGA1UEBhMC +VVMxFDASBgNVBAoTC0VudHJ1c3QubmV0MTswOQYDVQQLEzJ3d3cuZW50cnVzdC5u +ZXQvQ1BTIGluY29ycC4gYnkgcmVmLiAobGltaXRzIGxpYWIuKTElMCMGA1UECxMc +KGMpIDE5OTkgRW50cnVzdC5uZXQgTGltaXRlZDE6MDgGA1UEAxMxRW50cnVzdC5u +ZXQgU2VjdXJlIFNlcnZlciBDZXJ0aWZpY2F0aW9uIEF1dGhvcml0eTAeFw05OTA1 +MjUxNjA5NDBaFw0xOTA1MjUxNjM5NDBaMIHDMQswCQYDVQQGEwJVUzEUMBIGA1UE +ChMLRW50cnVzdC5uZXQxOzA5BgNVBAsTMnd3dy5lbnRydXN0Lm5ldC9DUFMgaW5j +b3JwLiBieSByZWYuIChsaW1pdHMgbGlhYi4pMSUwIwYDVQQLExwoYykgMTk5OSBF +bnRydXN0Lm5ldCBMaW1pdGVkMTowOAYDVQQDEzFFbnRydXN0Lm5ldCBTZWN1cmUg +U2VydmVyIENlcnRpZmljYXRpb24gQXV0aG9yaXR5MIGdMA0GCSqGSIb3DQEBAQUA +A4GLADCBhwKBgQDNKIM0VBuJ8w+vN5Ex/68xYMmo6LIQaO2f55M28Qpku0f1BBc/ +I0dNxScZgSYMVHINiC3ZH5oSn7yzcdOAGT9HZnuMNSjSuQrfJNqc1lB5gXpa0zf3 +wkrYKZImZNHkmGw6AIr1NJtl+O3jEP/9uElY3KDegjlrgbEWGWG5VLbmQwIBA6OC +AdcwggHTMBEGCWCGSAGG+EIBAQQEAwIABzCCARkGA1UdHwSCARAwggEMMIHeoIHb +oIHYpIHVMIHSMQswCQYDVQQGEwJVUzEUMBIGA1UEChMLRW50cnVzdC5uZXQxOzA5 +BgNVBAsTMnd3dy5lbnRydXN0Lm5ldC9DUFMgaW5jb3JwLiBieSByZWYuIChsaW1p +dHMgbGlhYi4pMSUwIwYDVQQLExwoYykgMTk5OSBFbnRydXN0Lm5ldCBMaW1pdGVk +MTowOAYDVQQDEzFFbnRydXN0Lm5ldCBTZWN1cmUgU2VydmVyIENlcnRpZmljYXRp +b24gQXV0aG9yaXR5MQ0wCwYDVQQDEwRDUkwxMCmgJ6AlhiNodHRwOi8vd3d3LmVu +dHJ1c3QubmV0L0NSTC9uZXQxLmNybDArBgNVHRAEJDAigA8xOTk5MDUyNTE2MDk0 +MFqBDzIwMTkwNTI1MTYwOTQwWjALBgNVHQ8EBAMCAQYwHwYDVR0jBBgwFoAU8Bdi +E1U9s/8KAGv7UISX8+1i0BowHQYDVR0OBBYEFPAXYhNVPbP/CgBr+1CEl/PtYtAa +MAwGA1UdEwQFMAMBAf8wGQYJKoZIhvZ9B0EABAwwChsEVjQuMAMCBJAwDQYJKoZI +hvcNAQEFBQADgYEAkNwwAvpkdMKnCqV8IY00F6j7Rw7/JXyNEwr75Ji174z4xRAN +95K+8cPV1ZVqBLssziY2ZcgxxufuP+NXdYR6Ee9GTxj005i7qIcyunL2POI9n9cd +2cNgQ4xYDiKWL2KjLB+6rQXvqzJ4h6BUcxm1XAX5Uj5tLUUL9wqT6u0G+bI= +-----END CERTIFICATE----- + +Go Daddy Certification Authority Root Certificate Bundle +======================================================== + +-----BEGIN CERTIFICATE----- +MIIE3jCCA8agAwIBAgICAwEwDQYJKoZIhvcNAQEFBQAwYzELMAkGA1UEBhMCVVMx +ITAfBgNVBAoTGFRoZSBHbyBEYWRkeSBHcm91cCwgSW5jLjExMC8GA1UECxMoR28g +RGFkZHkgQ2xhc3MgMiBDZXJ0aWZpY2F0aW9uIEF1dGhvcml0eTAeFw0wNjExMTYw +MTU0MzdaFw0yNjExMTYwMTU0MzdaMIHKMQswCQYDVQQGEwJVUzEQMA4GA1UECBMH +QXJpem9uYTETMBEGA1UEBxMKU2NvdHRzZGFsZTEaMBgGA1UEChMRR29EYWRkeS5j +b20sIEluYy4xMzAxBgNVBAsTKmh0dHA6Ly9jZXJ0aWZpY2F0ZXMuZ29kYWRkeS5j +b20vcmVwb3NpdG9yeTEwMC4GA1UEAxMnR28gRGFkZHkgU2VjdXJlIENlcnRpZmlj +YXRpb24gQXV0aG9yaXR5MREwDwYDVQQFEwgwNzk2OTI4NzCCASIwDQYJKoZIhvcN +AQEBBQADggEPADCCAQoCggEBAMQt1RWMnCZM7DI161+4WQFapmGBWTtwY6vj3D3H +KrjJM9N55DrtPDAjhI6zMBS2sofDPZVUBJ7fmd0LJR4h3mUpfjWoqVTr9vcyOdQm +VZWt7/v+WIbXnvQAjYwqDL1CBM6nPwT27oDyqu9SoWlm2r4arV3aLGbqGmu75RpR +SgAvSMeYddi5Kcju+GZtCpyz8/x4fKL4o/K1w/O5epHBp+YlLpyo7RJlbmr2EkRT +cDCVw5wrWCs9CHRK8r5RsL+H0EwnWGu1NcWdrxcx+AuP7q2BNgWJCJjPOq8lh8BJ +6qf9Z/dFjpfMFDniNoW1fho3/Rb2cRGadDAW/hOUoz+EDU8CAwEAAaOCATIwggEu +MB0GA1UdDgQWBBT9rGEyk2xF1uLuhV+auud2mWjM5zAfBgNVHSMEGDAWgBTSxLDS +kdRMEXGzYcs9of7dqGrU4zASBgNVHRMBAf8ECDAGAQH/AgEAMDMGCCsGAQUFBwEB +BCcwJTAjBggrBgEFBQcwAYYXaHR0cDovL29jc3AuZ29kYWRkeS5jb20wRgYDVR0f +BD8wPTA7oDmgN4Y1aHR0cDovL2NlcnRpZmljYXRlcy5nb2RhZGR5LmNvbS9yZXBv +c2l0b3J5L2dkcm9vdC5jcmwwSwYDVR0gBEQwQjBABgRVHSAAMDgwNgYIKwYBBQUH +AgEWKmh0dHA6Ly9jZXJ0aWZpY2F0ZXMuZ29kYWRkeS5jb20vcmVwb3NpdG9yeTAO +BgNVHQ8BAf8EBAMCAQYwDQYJKoZIhvcNAQEFBQADggEBANKGwOy9+aG2Z+5mC6IG +OgRQjhVyrEp0lVPLN8tESe8HkGsz2ZbwlFalEzAFPIUyIXvJxwqoJKSQ3kbTJSMU +A2fCENZvD117esyfxVgqwcSeIaha86ykRvOe5GPLL5CkKSkB2XIsKd83ASe8T+5o +0yGPwLPk9Qnt0hCqU7S+8MxZC9Y7lhyVJEnfzuz9p0iRFEUOOjZv2kWzRaJBydTX +RE4+uXR21aITVSzGh6O1mawGhId/dQb8vxRMDsxuxN89txJx9OjxUUAiKEngHUuH +qDTMBqLdElrRhjZkAzVvb3du6/KFUJheqwNTrZEjYx8WnM25sgVjOuH0aBsXBTWV +U+4= +-----END CERTIFICATE----- +-----BEGIN CERTIFICATE----- +MIIE+zCCBGSgAwIBAgICAQ0wDQYJKoZIhvcNAQEFBQAwgbsxJDAiBgNVBAcTG1Zh +bGlDZXJ0IFZhbGlkYXRpb24gTmV0d29yazEXMBUGA1UEChMOVmFsaUNlcnQsIElu +Yy4xNTAzBgNVBAsTLFZhbGlDZXJ0IENsYXNzIDIgUG9saWN5IFZhbGlkYXRpb24g +QXV0aG9yaXR5MSEwHwYDVQQDExhodHRwOi8vd3d3LnZhbGljZXJ0LmNvbS8xIDAe +BgkqhkiG9w0BCQEWEWluZm9AdmFsaWNlcnQuY29tMB4XDTA0MDYyOTE3MDYyMFoX +DTI0MDYyOTE3MDYyMFowYzELMAkGA1UEBhMCVVMxITAfBgNVBAoTGFRoZSBHbyBE +YWRkeSBHcm91cCwgSW5jLjExMC8GA1UECxMoR28gRGFkZHkgQ2xhc3MgMiBDZXJ0 +aWZpY2F0aW9uIEF1dGhvcml0eTCCASAwDQYJKoZIhvcNAQEBBQADggENADCCAQgC +ggEBAN6d1+pXGEmhW+vXX0iG6r7d/+TvZxz0ZWizV3GgXne77ZtJ6XCAPVYYYwhv +2vLM0D9/AlQiVBDYsoHUwHU9S3/Hd8M+eKsaA7Ugay9qK7HFiH7Eux6wwdhFJ2+q +N1j3hybX2C32qRe3H3I2TqYXP2WYktsqbl2i/ojgC95/5Y0V4evLOtXiEqITLdiO +r18SPaAIBQi2XKVlOARFmR6jYGB0xUGlcmIbYsUfb18aQr4CUWWoriMYavx4A6lN +f4DD+qta/KFApMoZFv6yyO9ecw3ud72a9nmYvLEHZ6IVDd2gWMZEewo+YihfukEH +U1jPEX44dMX4/7VpkI+EdOqXG68CAQOjggHhMIIB3TAdBgNVHQ4EFgQU0sSw0pHU +TBFxs2HLPaH+3ahq1OMwgdIGA1UdIwSByjCBx6GBwaSBvjCBuzEkMCIGA1UEBxMb +VmFsaUNlcnQgVmFsaWRhdGlvbiBOZXR3b3JrMRcwFQYDVQQKEw5WYWxpQ2VydCwg +SW5jLjE1MDMGA1UECxMsVmFsaUNlcnQgQ2xhc3MgMiBQb2xpY3kgVmFsaWRhdGlv +biBBdXRob3JpdHkxITAfBgNVBAMTGGh0dHA6Ly93d3cudmFsaWNlcnQuY29tLzEg +MB4GCSqGSIb3DQEJARYRaW5mb0B2YWxpY2VydC5jb22CAQEwDwYDVR0TAQH/BAUw +AwEB/zAzBggrBgEFBQcBAQQnMCUwIwYIKwYBBQUHMAGGF2h0dHA6Ly9vY3NwLmdv +ZGFkZHkuY29tMEQGA1UdHwQ9MDswOaA3oDWGM2h0dHA6Ly9jZXJ0aWZpY2F0ZXMu +Z29kYWRkeS5jb20vcmVwb3NpdG9yeS9yb290LmNybDBLBgNVHSAERDBCMEAGBFUd +IAAwODA2BggrBgEFBQcCARYqaHR0cDovL2NlcnRpZmljYXRlcy5nb2RhZGR5LmNv +bS9yZXBvc2l0b3J5MA4GA1UdDwEB/wQEAwIBBjANBgkqhkiG9w0BAQUFAAOBgQC1 +QPmnHfbq/qQaQlpE9xXUhUaJwL6e4+PrxeNYiY+Sn1eocSxI0YGyeR+sBjUZsE4O +WBsUs5iB0QQeyAfJg594RAoYC5jcdnplDQ1tgMQLARzLrUc+cb53S8wGd9D0Vmsf +SxOaFIqII6hR8INMqzW/Rn453HWkrugp++85j09VZw== +-----END CERTIFICATE----- +-----BEGIN CERTIFICATE----- +MIIC5zCCAlACAQEwDQYJKoZIhvcNAQEFBQAwgbsxJDAiBgNVBAcTG1ZhbGlDZXJ0 +IFZhbGlkYXRpb24gTmV0d29yazEXMBUGA1UEChMOVmFsaUNlcnQsIEluYy4xNTAz +BgNVBAsTLFZhbGlDZXJ0IENsYXNzIDIgUG9saWN5IFZhbGlkYXRpb24gQXV0aG9y +aXR5MSEwHwYDVQQDExhodHRwOi8vd3d3LnZhbGljZXJ0LmNvbS8xIDAeBgkqhkiG +9w0BCQEWEWluZm9AdmFsaWNlcnQuY29tMB4XDTk5MDYyNjAwMTk1NFoXDTE5MDYy +NjAwMTk1NFowgbsxJDAiBgNVBAcTG1ZhbGlDZXJ0IFZhbGlkYXRpb24gTmV0d29y +azEXMBUGA1UEChMOVmFsaUNlcnQsIEluYy4xNTAzBgNVBAsTLFZhbGlDZXJ0IENs +YXNzIDIgUG9saWN5IFZhbGlkYXRpb24gQXV0aG9yaXR5MSEwHwYDVQQDExhodHRw +Oi8vd3d3LnZhbGljZXJ0LmNvbS8xIDAeBgkqhkiG9w0BCQEWEWluZm9AdmFsaWNl +cnQuY29tMIGfMA0GCSqGSIb3DQEBAQUAA4GNADCBiQKBgQDOOnHK5avIWZJV16vY +dA757tn2VUdZZUcOBVXc65g2PFxTXdMwzzjsvUGJ7SVCCSRrCl6zfN1SLUzm1NZ9 +WlmpZdRJEy0kTRxQb7XBhVQ7/nHk01xC+YDgkRoKWzk2Z/M/VXwbP7RfZHM047QS +v4dk+NoS/zcnwbNDu+97bi5p9wIDAQABMA0GCSqGSIb3DQEBBQUAA4GBADt/UG9v +UJSZSWI4OB9L+KXIPqeCgfYrx+jFzug6EILLGACOTb2oWH+heQC1u+mNr0HZDzTu +IYEZoDJJKPTEjlbVUjP9UNV+mWwD5MlM/Mtsq2azSiGM5bUMMj4QssxsodyamEwC +W/POuZ6lcg5Ktz885hZo+L7tdEy8W9ViH0Pd +-----END CERTIFICATE----- + diff --git a/apps/files_external/3rdparty/google-api-php-client/src/service/Google_BatchRequest.php b/apps/files_external/3rdparty/google-api-php-client/src/service/Google_BatchRequest.php new file mode 100644 index 0000000000..3916b223a7 --- /dev/null +++ b/apps/files_external/3rdparty/google-api-php-client/src/service/Google_BatchRequest.php @@ -0,0 +1,110 @@ + + */ +class Google_BatchRequest { + /** @var string Multipart Boundary. */ + private $boundary; + + /** @var array service requests to be executed. */ + private $requests = array(); + + public function __construct($boundary = false) { + $boundary = (false == $boundary) ? mt_rand() : $boundary; + $this->boundary = str_replace('"', '', $boundary); + } + + public function add(Google_HttpRequest $request, $key = false) { + if (false == $key) { + $key = mt_rand(); + } + + $this->requests[$key] = $request; + } + + public function execute() { + $body = ''; + + /** @var Google_HttpRequest $req */ + foreach($this->requests as $key => $req) { + $body .= "--{$this->boundary}\n"; + $body .= $req->toBatchString($key) . "\n"; + } + + $body = rtrim($body); + $body .= "\n--{$this->boundary}--"; + + global $apiConfig; + $url = $apiConfig['basePath'] . '/batch'; + $httpRequest = new Google_HttpRequest($url, 'POST'); + $httpRequest->setRequestHeaders(array( + 'Content-Type' => 'multipart/mixed; boundary=' . $this->boundary)); + + $httpRequest->setPostBody($body); + $response = Google_Client::$io->makeRequest($httpRequest); + + $response = $this->parseResponse($response); + return $response; + } + + public function parseResponse(Google_HttpRequest $response) { + $contentType = $response->getResponseHeader('content-type'); + $contentType = explode(';', $contentType); + $boundary = false; + foreach($contentType as $part) { + $part = (explode('=', $part, 2)); + if (isset($part[0]) && 'boundary' == trim($part[0])) { + $boundary = $part[1]; + } + } + + $body = $response->getResponseBody(); + if ($body) { + $body = str_replace("--$boundary--", "--$boundary", $body); + $parts = explode("--$boundary", $body); + $responses = array(); + + foreach($parts as $part) { + $part = trim($part); + if (!empty($part)) { + list($metaHeaders, $part) = explode("\r\n\r\n", $part, 2); + $metaHeaders = Google_CurlIO::parseResponseHeaders($metaHeaders); + + $status = substr($part, 0, strpos($part, "\n")); + $status = explode(" ", $status); + $status = $status[1]; + + list($partHeaders, $partBody) = Google_CurlIO::parseHttpResponse($part, false); + $response = new Google_HttpRequest(""); + $response->setResponseHttpCode($status); + $response->setResponseHeaders($partHeaders); + $response->setResponseBody($partBody); + $response = Google_REST::decodeHttpResponse($response); + + // Need content id. + $responses[$metaHeaders['content-id']] = $response; + } + } + + return $responses; + } + + return null; + } +} \ No newline at end of file diff --git a/apps/files_external/3rdparty/google-api-php-client/src/service/Google_MediaFileUpload.php b/apps/files_external/3rdparty/google-api-php-client/src/service/Google_MediaFileUpload.php new file mode 100644 index 0000000000..c64e18851d --- /dev/null +++ b/apps/files_external/3rdparty/google-api-php-client/src/service/Google_MediaFileUpload.php @@ -0,0 +1,262 @@ + + * + */ +class Google_MediaFileUpload { + const UPLOAD_MEDIA_TYPE = 'media'; + const UPLOAD_MULTIPART_TYPE = 'multipart'; + const UPLOAD_RESUMABLE_TYPE = 'resumable'; + + /** @var string $mimeType */ + public $mimeType; + + /** @var string $data */ + public $data; + + /** @var bool $resumable */ + public $resumable; + + /** @var int $chunkSize */ + public $chunkSize; + + /** @var int $size */ + public $size; + + /** @var string $resumeUri */ + public $resumeUri; + + /** @var int $progress */ + public $progress; + + /** + * @param $mimeType string + * @param $data string The bytes you want to upload. + * @param $resumable bool + * @param bool $chunkSize File will be uploaded in chunks of this many bytes. + * only used if resumable=True + */ + public function __construct($mimeType, $data, $resumable=false, $chunkSize=false) { + $this->mimeType = $mimeType; + $this->data = $data; + $this->size = strlen($this->data); + $this->resumable = $resumable; + if(!$chunkSize) { + $chunkSize = 256 * 1024; + } + $this->chunkSize = $chunkSize; + $this->progress = 0; + } + + public function setFileSize($size) { + $this->size = $size; + } + + /** + * @static + * @param $meta + * @param $params + * @return array|bool + */ + public static function process($meta, &$params) { + $payload = array(); + $meta = is_string($meta) ? json_decode($meta, true) : $meta; + $uploadType = self::getUploadType($meta, $payload, $params); + if (!$uploadType) { + // Process as a normal API request. + return false; + } + + // Process as a media upload request. + $params['uploadType'] = array( + 'type' => 'string', + 'location' => 'query', + 'value' => $uploadType, + ); + + $mimeType = isset($params['mimeType']) + ? $params['mimeType']['value'] + : false; + unset($params['mimeType']); + + if (!$mimeType) { + $mimeType = $payload['content-type']; + } + + if (isset($params['file'])) { + // This is a standard file upload with curl. + $file = $params['file']['value']; + unset($params['file']); + return self::processFileUpload($file, $mimeType); + } + + $data = isset($params['data']) + ? $params['data']['value'] + : false; + unset($params['data']); + + if (self::UPLOAD_RESUMABLE_TYPE == $uploadType) { + $payload['content-type'] = $mimeType; + $payload['postBody'] = is_string($meta) ? $meta : json_encode($meta); + + } elseif (self::UPLOAD_MEDIA_TYPE == $uploadType) { + // This is a simple media upload. + $payload['content-type'] = $mimeType; + $payload['postBody'] = $data; + } + + elseif (self::UPLOAD_MULTIPART_TYPE == $uploadType) { + // This is a multipart/related upload. + $boundary = isset($params['boundary']['value']) ? $params['boundary']['value'] : mt_rand(); + $boundary = str_replace('"', '', $boundary); + $payload['content-type'] = 'multipart/related; boundary=' . $boundary; + $related = "--$boundary\r\n"; + $related .= "Content-Type: application/json; charset=UTF-8\r\n"; + $related .= "\r\n" . json_encode($meta) . "\r\n"; + $related .= "--$boundary\r\n"; + $related .= "Content-Type: $mimeType\r\n"; + $related .= "Content-Transfer-Encoding: base64\r\n"; + $related .= "\r\n" . base64_encode($data) . "\r\n"; + $related .= "--$boundary--"; + $payload['postBody'] = $related; + } + + return $payload; + } + + /** + * Prepares a standard file upload via cURL. + * @param $file + * @param $mime + * @return array Includes the processed file name. + * @visible For testing. + */ + public static function processFileUpload($file, $mime) { + if (!$file) return array(); + if (substr($file, 0, 1) != '@') { + $file = '@' . $file; + } + + // This is a standard file upload with curl. + $params = array('postBody' => array('file' => $file)); + if ($mime) { + $params['content-type'] = $mime; + } + + return $params; + } + + /** + * Valid upload types: + * - resumable (UPLOAD_RESUMABLE_TYPE) + * - media (UPLOAD_MEDIA_TYPE) + * - multipart (UPLOAD_MULTIPART_TYPE) + * - none (false) + * @param $meta + * @param $payload + * @param $params + * @return bool|string + */ + public static function getUploadType($meta, &$payload, &$params) { + if (isset($params['mediaUpload']) + && get_class($params['mediaUpload']['value']) == 'Google_MediaFileUpload') { + $upload = $params['mediaUpload']['value']; + unset($params['mediaUpload']); + $payload['content-type'] = $upload->mimeType; + if (isset($upload->resumable) && $upload->resumable) { + return self::UPLOAD_RESUMABLE_TYPE; + } + } + + // Allow the developer to override the upload type. + if (isset($params['uploadType'])) { + return $params['uploadType']['value']; + } + + $data = isset($params['data']['value']) + ? $params['data']['value'] : false; + + if (false == $data && false == isset($params['file'])) { + // No upload data available. + return false; + } + + if (isset($params['file'])) { + return self::UPLOAD_MEDIA_TYPE; + } + + if (false == $meta) { + return self::UPLOAD_MEDIA_TYPE; + } + + return self::UPLOAD_MULTIPART_TYPE; + } + + + public function nextChunk(Google_HttpRequest $req, $chunk=false) { + if (false == $this->resumeUri) { + $this->resumeUri = $this->getResumeUri($req); + } + + if (false == $chunk) { + $chunk = substr($this->data, $this->progress, $this->chunkSize); + } + + $lastBytePos = $this->progress + strlen($chunk) - 1; + $headers = array( + 'content-range' => "bytes $this->progress-$lastBytePos/$this->size", + 'content-type' => $req->getRequestHeader('content-type'), + 'content-length' => $this->chunkSize, + 'expect' => '', + ); + + $httpRequest = new Google_HttpRequest($this->resumeUri, 'PUT', $headers, $chunk); + $response = Google_Client::$io->authenticatedRequest($httpRequest); + $code = $response->getResponseHttpCode(); + if (308 == $code) { + $range = explode('-', $response->getResponseHeader('range')); + $this->progress = $range[1] + 1; + return false; + } else { + return Google_REST::decodeHttpResponse($response); + } + } + + private function getResumeUri(Google_HttpRequest $httpRequest) { + $result = null; + $body = $httpRequest->getPostBody(); + if ($body) { + $httpRequest->setRequestHeaders(array( + 'content-type' => 'application/json; charset=UTF-8', + 'content-length' => Google_Utils::getStrLen($body), + 'x-upload-content-type' => $this->mimeType, + 'x-upload-content-length' => $this->size, + 'expect' => '', + )); + } + + $response = Google_Client::$io->makeRequest($httpRequest); + $location = $response->getResponseHeader('location'); + $code = $response->getResponseHttpCode(); + if (200 == $code && true == $location) { + return $location; + } + throw new Google_Exception("Failed to start the resumable upload"); + } +} \ No newline at end of file diff --git a/apps/files_external/3rdparty/google-api-php-client/src/service/Google_Model.php b/apps/files_external/3rdparty/google-api-php-client/src/service/Google_Model.php new file mode 100644 index 0000000000..cb44cb2574 --- /dev/null +++ b/apps/files_external/3rdparty/google-api-php-client/src/service/Google_Model.php @@ -0,0 +1,115 @@ + + * + */ +class Google_Model { + public function __construct( /* polymorphic */ ) { + if (func_num_args() == 1 && is_array(func_get_arg(0))) { + // Initialize the model with the array's contents. + $array = func_get_arg(0); + $this->mapTypes($array); + } + } + + /** + * Initialize this object's properties from an array. + * + * @param array $array Used to seed this object's properties. + * @return void + */ + protected function mapTypes($array) { + foreach ($array as $key => $val) { + $this->$key = $val; + + $keyTypeName = "__$key" . 'Type'; + $keyDataType = "__$key" . 'DataType'; + if ($this->useObjects() && property_exists($this, $keyTypeName)) { + if ($this->isAssociativeArray($val)) { + if (isset($this->$keyDataType) && 'map' == $this->$keyDataType) { + foreach($val as $arrayKey => $arrayItem) { + $val[$arrayKey] = $this->createObjectFromName($keyTypeName, $arrayItem); + } + $this->$key = $val; + } else { + $this->$key = $this->createObjectFromName($keyTypeName, $val); + } + } else if (is_array($val)) { + $arrayObject = array(); + foreach ($val as $arrayIndex => $arrayItem) { + $arrayObject[$arrayIndex] = $this->createObjectFromName($keyTypeName, $arrayItem); + } + $this->$key = $arrayObject; + } + } + } + } + + /** + * Returns true only if the array is associative. + * @param array $array + * @return bool True if the array is associative. + */ + protected function isAssociativeArray($array) { + if (!is_array($array)) { + return false; + } + $keys = array_keys($array); + foreach($keys as $key) { + if (is_string($key)) { + return true; + } + } + return false; + } + + /** + * Given a variable name, discover its type. + * + * @param $name + * @param $item + * @return object The object from the item. + */ + private function createObjectFromName($name, $item) { + $type = $this->$name; + return new $type($item); + } + + protected function useObjects() { + global $apiConfig; + return (isset($apiConfig['use_objects']) && $apiConfig['use_objects']); + } + + /** + * Verify if $obj is an array. + * @throws Google_Exception Thrown if $obj isn't an array. + * @param array $obj Items that should be validated. + * @param string $type Array items should be of this type. + * @param string $method Method expecting an array as an argument. + */ + public function assertIsArray($obj, $type, $method) { + if ($obj && !is_array($obj)) { + throw new Google_Exception("Incorrect parameter type passed to $method(), expected an" + . " array containing items of type $type."); + } + } +} diff --git a/apps/files_external/3rdparty/google-api-php-client/src/service/Google_Service.php b/apps/files_external/3rdparty/google-api-php-client/src/service/Google_Service.php new file mode 100644 index 0000000000..1f4731fb2f --- /dev/null +++ b/apps/files_external/3rdparty/google-api-php-client/src/service/Google_Service.php @@ -0,0 +1,22 @@ + + * @author Chirag Shah + * + */ +class Google_ServiceResource { + // Valid query parameters that work, but don't appear in discovery. + private $stackParameters = array( + 'alt' => array('type' => 'string', 'location' => 'query'), + 'boundary' => array('type' => 'string', 'location' => 'query'), + 'fields' => array('type' => 'string', 'location' => 'query'), + 'trace' => array('type' => 'string', 'location' => 'query'), + 'userIp' => array('type' => 'string', 'location' => 'query'), + 'userip' => array('type' => 'string', 'location' => 'query'), + 'quotaUser' => array('type' => 'string', 'location' => 'query'), + 'file' => array('type' => 'complex', 'location' => 'body'), + 'data' => array('type' => 'string', 'location' => 'body'), + 'mimeType' => array('type' => 'string', 'location' => 'header'), + 'uploadType' => array('type' => 'string', 'location' => 'query'), + 'mediaUpload' => array('type' => 'complex', 'location' => 'query'), + ); + + /** @var Google_Service $service */ + private $service; + + /** @var string $serviceName */ + private $serviceName; + + /** @var string $resourceName */ + private $resourceName; + + /** @var array $methods */ + private $methods; + + public function __construct($service, $serviceName, $resourceName, $resource) { + $this->service = $service; + $this->serviceName = $serviceName; + $this->resourceName = $resourceName; + $this->methods = isset($resource['methods']) ? $resource['methods'] : array($resourceName => $resource); + } + + /** + * @param $name + * @param $arguments + * @return Google_HttpRequest|array + * @throws Google_Exception + */ + public function __call($name, $arguments) { + if (! isset($this->methods[$name])) { + throw new Google_Exception("Unknown function: {$this->serviceName}->{$this->resourceName}->{$name}()"); + } + $method = $this->methods[$name]; + $parameters = $arguments[0]; + + // postBody is a special case since it's not defined in the discovery document as parameter, but we abuse the param entry for storing it + $postBody = null; + if (isset($parameters['postBody'])) { + if (is_object($parameters['postBody'])) { + $this->stripNull($parameters['postBody']); + } + + // Some APIs require the postBody to be set under the data key. + if (is_array($parameters['postBody']) && 'latitude' == $this->serviceName) { + if (!isset($parameters['postBody']['data'])) { + $rawBody = $parameters['postBody']; + unset($parameters['postBody']); + $parameters['postBody']['data'] = $rawBody; + } + } + + $postBody = is_array($parameters['postBody']) || is_object($parameters['postBody']) + ? json_encode($parameters['postBody']) + : $parameters['postBody']; + unset($parameters['postBody']); + + if (isset($parameters['optParams'])) { + $optParams = $parameters['optParams']; + unset($parameters['optParams']); + $parameters = array_merge($parameters, $optParams); + } + } + + if (!isset($method['parameters'])) { + $method['parameters'] = array(); + } + + $method['parameters'] = array_merge($method['parameters'], $this->stackParameters); + foreach ($parameters as $key => $val) { + if ($key != 'postBody' && ! isset($method['parameters'][$key])) { + throw new Google_Exception("($name) unknown parameter: '$key'"); + } + } + if (isset($method['parameters'])) { + foreach ($method['parameters'] as $paramName => $paramSpec) { + if (isset($paramSpec['required']) && $paramSpec['required'] && ! isset($parameters[$paramName])) { + throw new Google_Exception("($name) missing required param: '$paramName'"); + } + if (isset($parameters[$paramName])) { + $value = $parameters[$paramName]; + $parameters[$paramName] = $paramSpec; + $parameters[$paramName]['value'] = $value; + unset($parameters[$paramName]['required']); + } else { + unset($parameters[$paramName]); + } + } + } + + // Discovery v1.0 puts the canonical method id under the 'id' field. + if (! isset($method['id'])) { + $method['id'] = $method['rpcMethod']; + } + + // Discovery v1.0 puts the canonical path under the 'path' field. + if (! isset($method['path'])) { + $method['path'] = $method['restPath']; + } + + $servicePath = $this->service->servicePath; + + // Process Media Request + $contentType = false; + if (isset($method['mediaUpload'])) { + $media = Google_MediaFileUpload::process($postBody, $parameters); + if ($media) { + $contentType = isset($media['content-type']) ? $media['content-type']: null; + $postBody = isset($media['postBody']) ? $media['postBody'] : null; + $servicePath = $method['mediaUpload']['protocols']['simple']['path']; + $method['path'] = ''; + } + } + + $url = Google_REST::createRequestUri($servicePath, $method['path'], $parameters); + $httpRequest = new Google_HttpRequest($url, $method['httpMethod'], null, $postBody); + if ($postBody) { + $contentTypeHeader = array(); + if (isset($contentType) && $contentType) { + $contentTypeHeader['content-type'] = $contentType; + } else { + $contentTypeHeader['content-type'] = 'application/json; charset=UTF-8'; + $contentTypeHeader['content-length'] = Google_Utils::getStrLen($postBody); + } + $httpRequest->setRequestHeaders($contentTypeHeader); + } + + $httpRequest = Google_Client::$auth->sign($httpRequest); + if (Google_Client::$useBatch) { + return $httpRequest; + } + + // Terminate immediately if this is a resumable request. + if (isset($parameters['uploadType']['value']) + && Google_MediaFileUpload::UPLOAD_RESUMABLE_TYPE == $parameters['uploadType']['value']) { + $contentTypeHeader = array(); + if (isset($contentType) && $contentType) { + $contentTypeHeader['content-type'] = $contentType; + } + $httpRequest->setRequestHeaders($contentTypeHeader); + if ($postBody) { + $httpRequest->setPostBody($postBody); + } + return $httpRequest; + } + + return Google_REST::execute($httpRequest); + } + + public function useObjects() { + global $apiConfig; + return (isset($apiConfig['use_objects']) && $apiConfig['use_objects']); + } + + protected function stripNull(&$o) { + $o = (array) $o; + foreach ($o as $k => $v) { + if ($v === null || strstr($k, "\0*\0__")) { + unset($o[$k]); + } + elseif (is_object($v) || is_array($v)) { + $this->stripNull($o[$k]); + } + } + } +} diff --git a/apps/files_external/3rdparty/google-api-php-client/src/service/Google_Utils.php b/apps/files_external/3rdparty/google-api-php-client/src/service/Google_Utils.php new file mode 100644 index 0000000000..be94902c2e --- /dev/null +++ b/apps/files_external/3rdparty/google-api-php-client/src/service/Google_Utils.php @@ -0,0 +1,117 @@ + + */ +class Google_Utils { + public static function urlSafeB64Encode($data) { + $b64 = base64_encode($data); + $b64 = str_replace(array('+', '/', '\r', '\n', '='), + array('-', '_'), + $b64); + return $b64; + } + + public static function urlSafeB64Decode($b64) { + $b64 = str_replace(array('-', '_'), + array('+', '/'), + $b64); + return base64_decode($b64); + } + + /** + * Misc function used to count the number of bytes in a post body, in the world of multi-byte chars + * and the unpredictability of strlen/mb_strlen/sizeof, this is the only way to do that in a sane + * manner at the moment. + * + * This algorithm was originally developed for the + * Solar Framework by Paul M. Jones + * + * @link http://solarphp.com/ + * @link http://svn.solarphp.com/core/trunk/Solar/Json.php + * @link http://framework.zend.com/svn/framework/standard/trunk/library/Zend/Json/Decoder.php + * @param string $str + * @return int The number of bytes in a string. + */ + static public function getStrLen($str) { + $strlenVar = strlen($str); + $d = $ret = 0; + for ($count = 0; $count < $strlenVar; ++ $count) { + $ordinalValue = ord($str{$ret}); + switch (true) { + case (($ordinalValue >= 0x20) && ($ordinalValue <= 0x7F)): + // characters U-00000000 - U-0000007F (same as ASCII) + $ret ++; + break; + + case (($ordinalValue & 0xE0) == 0xC0): + // characters U-00000080 - U-000007FF, mask 110XXXXX + // see http://www.cl.cam.ac.uk/~mgk25/unicode.html#utf-8 + $ret += 2; + break; + + case (($ordinalValue & 0xF0) == 0xE0): + // characters U-00000800 - U-0000FFFF, mask 1110XXXX + // see http://www.cl.cam.ac.uk/~mgk25/unicode.html#utf-8 + $ret += 3; + break; + + case (($ordinalValue & 0xF8) == 0xF0): + // characters U-00010000 - U-001FFFFF, mask 11110XXX + // see http://www.cl.cam.ac.uk/~mgk25/unicode.html#utf-8 + $ret += 4; + break; + + case (($ordinalValue & 0xFC) == 0xF8): + // characters U-00200000 - U-03FFFFFF, mask 111110XX + // see http://www.cl.cam.ac.uk/~mgk25/unicode.html#utf-8 + $ret += 5; + break; + + case (($ordinalValue & 0xFE) == 0xFC): + // characters U-04000000 - U-7FFFFFFF, mask 1111110X + // see http://www.cl.cam.ac.uk/~mgk25/unicode.html#utf-8 + $ret += 6; + break; + default: + $ret ++; + } + } + return $ret; + } + + /** + * Normalize all keys in an array to lower-case. + * @param array $arr + * @return array Normalized array. + */ + public static function normalize($arr) { + if (!is_array($arr)) { + return array(); + } + + $normalized = array(); + foreach ($arr as $key => $val) { + $normalized[strtolower($key)] = $val; + } + return $normalized; + } +} \ No newline at end of file diff --git a/apps/files_external/3rdparty/irodsphp/LICENSE.txt b/apps/files_external/3rdparty/irodsphp/LICENSE.txt new file mode 100644 index 0000000000..caca18c59b --- /dev/null +++ b/apps/files_external/3rdparty/irodsphp/LICENSE.txt @@ -0,0 +1,28 @@ +iRODS license terms and copyright info from the irods site at: https://www.irods.org/index.php/License + +License +iRODS Copyright and Licensing + +iRODS is open source software released under a BSD License, see license text in "iRODS License Terms and Conditions" below. +The BSD license has been described in very general terms as allowing you to do whatever you want to with the software and +source code as long as you acknowledge who wrote it and that, as with any open source software, there is no warranty and you're using the code "as is." +In the spirit of collaborative open source software, the iRODS community encourages you to communicate with us, letting us know what features you like, +features that would be useful, problems, bugs, suggestions, etc., and to perhaps contribute source code. +The iRODS community has formed the Data Intensive Cyberinfrastructure Foundation, a 501(c)(3) nonprofit corporation established to serve + as the home of the iRODS open source community over the long term. If you choose to contribute new code, you'll receive full acknowledgment. All you do is complete the Contributor's Agreement, under which you retain copyright ownership + in your code but give a free license to the iRODS nonprofit foundation, allowing your code to be integrated into iRODS and in turn released under the BSD license. +Note: The above text is an educational overview of iRODS open source licensing, and not intended as legal advice nor is it part of the iRODS license agreement, which is below. As always, for legal advice consult an attorney. + +iRODS License Terms and Conditions Notice + +Copyright (c) 2005-2011, Regents of the University of California, the University of North Carolina, and the Data Intensive Cyberinfrastructure Foundation +All rights reserved. +Redistribution and use in source and binary forms, with or without modification, are permitted provided that the following conditions are met: +Redistributions of source code must retain the above copyright notice, this list of conditions and the following disclaimer. +Redistributions in binary form must reproduce the above copyright notice, this list of conditions and the following disclaimer in the documentation and/or other materials provided with the distribution. +Neither the name of the University of California, San Diego (UCSD) nor the names of its contributors may be used to endorse or promote products derived from this software without specific prior written permission. +THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS "AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT +NOT LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT +OWNER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT LIMITED TO, +PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY, +WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE. \ No newline at end of file diff --git a/apps/files_external/3rdparty/irodsphp/prods/doc_config.ini b/apps/files_external/3rdparty/irodsphp/prods/doc_config.ini new file mode 100644 index 0000000000..f72b4a230d --- /dev/null +++ b/apps/files_external/3rdparty/irodsphp/prods/doc_config.ini @@ -0,0 +1,87 @@ +;; phpDocumentor demonstration parse configuration file +;; +;; RUN THIS FILE FROM THE INSTALL DIRECTORY +;; CHANGE HERE: + +;; where should the documentation be written? +;; legal values: a legal path +;target = /home/CelloG/output +target = ./doc + + +;; DONT CHANGE BELOW HERE +;; +;; This file is designed to cut down on repetitive typing on the command-line or web interface +;; You can copy this file to create a number of configuration files that can be used with the +;; command-line switch -c, as in phpdoc -c default.ini or phpdoc -c myini.ini. The web +;; interface will automatically generate a list of .ini files that can be used. +;; +;; ALL .ini files must be in the user subdirectory of phpDocumentor with an extension of .ini +;; +;; Copyright 2002, Greg Beaver +;; +;; WARNING: do not change the + +[Parse Data] +;; title of all the documentation +;; legal values: any string +title = PRODS (iRODS PHP Client API) Documentation + +;; parse files that start with a . like .bash_profile +;; legal values: true, false +hidden = false + +;; show elements marked @access private in documentation by setting this to on +;; legal values: on, off +parseprivate = off + +;; parse with javadoc-like description (first sentence is always the short description) +;; legal values: on, off +javadocdesc = on + +;target=/dev/null + +;; add any custom @tags separated by commas here +;; legal values: any legal tagname separated by commas. +;customtags = mytag1,mytag2 + +;; what is the main package? +;; legal values: alphanumeric string plus - and _ +defaultpackagename = Prods + +;; output any parsing information? set to on for cron jobs +;; legal values: on +;quiet = on + +;; limit output to the specified packages, even if others are parsed +;; legal values: package names separated by commas +;packageoutput = package1,package2 + +;; comma-separated list of files to parse +;; legal values: paths separated by commas +;filename = /path/to/file1,/path/to/file2,fileincurrentdirectory + +;; comma-separated list of directories to parse +;; legal values: directory paths separated by commas +;directory = /path1,/path2,.,..,subdirectory +;directory = /home/jeichorn/cvs/pear +;directory = /you-MUST/change-me/to-fit/your-environment +;directory = . + +directory = ./src,./tutorials + +;; comma-separated list of files, directories or wildcards ? and * (any wildcard) to ignore +;; legal values: any wildcard strings separated by commas +;; remember, this pathing is RELATIVE to the top-most directory in your "directory" value +;ignore = path/to/ignore*,*list.php,myfile.php,subdirectory/ +ignore = templates_c/,*HTML/default/*,spec/,*.inc.php,packet/,set*.php,ProdsStreamer.class.php,RODSMessage.class.php,RODSConn.class.php,RODSKeyValPair.class.php,RODSConnManager.class.php + +;; comma-separated list of Converters to use in outputformat:Convertername:templatedirectory format +;; legal values: HTML:frames:default,HTML:frames:l0l33t,HTML:frames:phpdoc.de,HTML:frames:phphtmllib +;; HTML:frames:phpedit,HTML:frames:DOM/default,HTML:frames:DOM/l0l33t,HTML:frames:DOM/phpdoc.de +;; HTML:Smarty:default,HTML:Smarty:PHP,PDF:default:default,CHM:default:default,XML:DocBook:default +output=HTML:Smarty:PHP + +;; turn this option on if you want highlighted source code for every file +;; legal values: on/off +sourcecode = on diff --git a/apps/files_external/3rdparty/irodsphp/prods/release_notes.txt b/apps/files_external/3rdparty/irodsphp/prods/release_notes.txt new file mode 100644 index 0000000000..7e1b0549cf --- /dev/null +++ b/apps/files_external/3rdparty/irodsphp/prods/release_notes.txt @@ -0,0 +1,34 @@ + +*'''Project''': PHP Prods API for iRODS +*'''Date''': 06/04/2013 +*'''Release Version''': 3.3.0-beta1 +*'''git tag''': 3.3.0-beta1 + +==News== + +PHP API for iRODS + +This alpha is a merge of community supported additions for PAM and tickets + + +GForge for iDrop-swing is at: [[https://code.renci.org/gf/project/irodsphp/]] + +==Requirements== + +Note that the following bug and feature requests are logged in GForge with related commit information [[https://code.renci.org/gf/project/irodsphp/tracker/]] + +==Features== + +*[#1280] Add PAM support to PHP + +*[#1122] Add Ticket support to PHP + +==Bug Fixes== + + + +==Outstanding Issues== + +Please consult [[https://code.renci.org/gf/project/irodsphp/tracker/]] + +for the latest open bugs and Jargon feature requests diff --git a/apps/files_external/3rdparty/irodsphp/prods/src/LICENSE.txt b/apps/files_external/3rdparty/irodsphp/prods/src/LICENSE.txt new file mode 100644 index 0000000000..caca18c59b --- /dev/null +++ b/apps/files_external/3rdparty/irodsphp/prods/src/LICENSE.txt @@ -0,0 +1,28 @@ +iRODS license terms and copyright info from the irods site at: https://www.irods.org/index.php/License + +License +iRODS Copyright and Licensing + +iRODS is open source software released under a BSD License, see license text in "iRODS License Terms and Conditions" below. +The BSD license has been described in very general terms as allowing you to do whatever you want to with the software and +source code as long as you acknowledge who wrote it and that, as with any open source software, there is no warranty and you're using the code "as is." +In the spirit of collaborative open source software, the iRODS community encourages you to communicate with us, letting us know what features you like, +features that would be useful, problems, bugs, suggestions, etc., and to perhaps contribute source code. +The iRODS community has formed the Data Intensive Cyberinfrastructure Foundation, a 501(c)(3) nonprofit corporation established to serve + as the home of the iRODS open source community over the long term. If you choose to contribute new code, you'll receive full acknowledgment. All you do is complete the Contributor's Agreement, under which you retain copyright ownership + in your code but give a free license to the iRODS nonprofit foundation, allowing your code to be integrated into iRODS and in turn released under the BSD license. +Note: The above text is an educational overview of iRODS open source licensing, and not intended as legal advice nor is it part of the iRODS license agreement, which is below. As always, for legal advice consult an attorney. + +iRODS License Terms and Conditions Notice + +Copyright (c) 2005-2011, Regents of the University of California, the University of North Carolina, and the Data Intensive Cyberinfrastructure Foundation +All rights reserved. +Redistribution and use in source and binary forms, with or without modification, are permitted provided that the following conditions are met: +Redistributions of source code must retain the above copyright notice, this list of conditions and the following disclaimer. +Redistributions in binary form must reproduce the above copyright notice, this list of conditions and the following disclaimer in the documentation and/or other materials provided with the distribution. +Neither the name of the University of California, San Diego (UCSD) nor the names of its contributors may be used to endorse or promote products derived from this software without specific prior written permission. +THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS "AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT +NOT LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT +OWNER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT LIMITED TO, +PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY, +WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE. \ No newline at end of file diff --git a/apps/files_external/3rdparty/irodsphp/prods/src/Prods.inc.php b/apps/files_external/3rdparty/irodsphp/prods/src/Prods.inc.php new file mode 100644 index 0000000000..e7fa44b34d --- /dev/null +++ b/apps/files_external/3rdparty/irodsphp/prods/src/Prods.inc.php @@ -0,0 +1,4 @@ + \ No newline at end of file diff --git a/apps/files_external/3rdparty/irodsphp/prods/src/ProdsConfig.inc.php b/apps/files_external/3rdparty/irodsphp/prods/src/ProdsConfig.inc.php new file mode 100644 index 0000000000..478c90d631 --- /dev/null +++ b/apps/files_external/3rdparty/irodsphp/prods/src/ProdsConfig.inc.php @@ -0,0 +1,19 @@ + \ No newline at end of file diff --git a/apps/files_external/3rdparty/irodsphp/prods/src/ProdsDir.class.php b/apps/files_external/3rdparty/irodsphp/prods/src/ProdsDir.class.php new file mode 100644 index 0000000000..5c34c6ce45 --- /dev/null +++ b/apps/files_external/3rdparty/irodsphp/prods/src/ProdsDir.class.php @@ -0,0 +1,730 @@ + + * @copyright Copyright © 2007, TBD + * @package Prods + */ + +require_once("autoload.inc.php"); + +class ProdsDir extends ProdsPath +{ + /** + * @var RODSDirStats + */ + public $stats; + + private $child_dirs; + private $child_files; + private $all_children; + private $position; + + /** + * Default Constructor. + * + * @param RODSAccount account iRODS account used for connection + * @param string $path_str the path of this dir + * @param boolean $verify whether verify if the path exsits + * @param RODSDirStats $stats if the stats for this dir is already known, initilize it here. + * @return a new ProdsDir + */ + public function __construct(RODSAccount &$account, $path_str, $verify = false, + RODSDirStats $stats = NULL) + { + $this->position = 0; + $this->stats = $stats; + parent::__construct($account, $path_str); + if ($verify === true) { + if ($this->exists() === false) { + throw new RODSException("Directory '$this' does not exist", + 'PERR_PATH_DOES_NOT_EXISTS'); + } + } + } + + + /** + * Create a ProdsDir object from URI string. + * @param string $path the URI Sting + * @param boolean $verify whether verify if the path exsits + * @return a new ProdsDir + */ + public static function fromURI($path, $verify=false) + { + if (0!=strncmp($path,"rods://",7)) + $path="rods://".$path; + $url=parse_url($path); + + $host=isset($url['host'])?$url['host']:''; + $port=isset($url['port'])?$url['port']:''; + + $user=''; + $zone=''; + $authtype='irods'; + if (isset($url['user'])) + { + if (strstr($url['user'],".")!==false) { + $user_array=@explode(".",$url['user']); + if (count($user_array)===3) { + $user=$user_array[0]; + $zone=$user_array[1]; + $authtype=$user_array[2]; + } + else { + $user=$user_array[0]; + $zone=$user_array[1]; + } + } + else + $user=$url['user']; + } + + $pass=isset($url['pass'])?$url['pass']:''; + + $account=new RODSAccount($host, $port, $user, $pass, $zone, '', $authtype); + + $path_str=isset($url['path'])?$url['path']:''; + + // treat query and fragment as part of name + if (isset($url['query'])&&(strlen($url['query'])>0)) + $path_str=$path_str.'?'.$url['query']; + if (isset($url['fragment'])&&(strlen($url['fragment'])>0)) + $path_str=$path_str.'#'.$url['fragment']; + + if (empty($path_str)) + $path_str='/'; + + return (new ProdsDir($account,$path_str,$verify)); + } + + /** + * Verify if this dir exist with server. This function shouldn't be called directly, use {@link exists} + */ + //protected function verify() + protected function verify($get_cb=array('RODSConnManager','getConn'), + $rel_cb=array('RODSConnManager', 'releaseConn')) + { + //$conn = RODSConnManager::getConn($this->account); + $conn = call_user_func_array($get_cb, array(&$this->account)); + $this->path_exists= $conn -> dirExists ($this->path_str); + //RODSConnManager::releaseConn($conn); + call_user_func($rel_cb, $conn); + } + + /** + * get next file or directory from the directory, where the internal iterator points to. + * @return next file or directory from the directory. The file always come first and dir comes later. return false on failure + */ + public function getNextChild() + { + if (!$this->all_children) + $this->all_children=$this->getAllChildren(); + if (($this->position>=count($this->all_children))||($this->position<0)) + return false; + $names=array_keys($this->all_children); + $ret_val=$this->all_children[$names[$this->position]]; + $this->position++; + return $ret_val; + } + + + /** + * Get children files of this dir. + * + * @param array $orderby An associated array specifying how to sort the result by attributes. See details in method {@link findFiles}; + * @param int $startingInx starting index of all files. default is 0. + * @param int $maxresults max results returned. if negative, it returns all rows. default is -1 + * @param int &$total_num_rows number of all results + * @param boolean $logical_file whether to return only logical files, if false, it returns all replica with resource name, if true, it returns only 1 logical file, with num_replica available in the stats. default is false. + * @return an array of ProdsFile + */ + public function getChildFiles(array $orderby=array(), $startingInx=0, + $maxresults=-1, &$total_num_rows=-1, $logicalFile=false) + { + $terms=array("descendantOnly"=>true,"recursive"=>false, 'logicalFile'=>$logicalFile); + return $this->findFiles($terms,$total_num_rows,$startingInx,$maxresults,$orderby); + } + + /** + * Resets the directory stream to the beginning of the directory. + */ + public function rewind() + { + $this->position = 0; + } + + + /** + * @return all children (files and dirs) of current dir + */ + public function getAllChildren() + { + $this->all_children = array(); + $this->all_children = array_merge($this->all_children, + $this->getChildFiles()); + $this->all_children = array_merge($this->all_children, + $this->getChildDirs()); + + return $this->all_children; + } + + /** + * Get children directories of this dir. + * @param $orderby An associated array specifying how to sort the result by attributes. See details in method {@link findDirs}; + * Note that if the current dir is root '/', it will not return '/' as its child, unlike iCommand's current behavior. + * @return an array of ProdsDir + */ + public function getChildDirs(array $orderby = array(), $startingInx = 0, + $maxresults = -1, &$total_num_rows = -1) + { + $terms = array("descendantOnly" => true, "recursive" => false); + return $this->findDirs($terms, $total_num_rows, $startingInx, $maxresults, $orderby); + } + + /** + * Make a new directory under this directory + * @param string $name full path of the new dir to be made on server + * @return ProdsDir the new directory just created (or already exists) + */ + // public function mkdir($name) + public function mkdir($name, + $get_cb = array('RODSConnManager', 'getConn'), + $rel_cb = array('RODSConnManager', 'releaseConn')) + { + //$conn = RODSConnManager::getConn($this->account); + $conn = call_user_func_array($get_cb, array(&$this->account)); + $conn->mkdir($this->path_str . "/$name"); + //RODSConnManager::releaseConn($conn); + call_user_func($rel_cb, $conn); + return (new ProdsDir($this->account, $this->path_str . "/$name")); + } + + /** + * remove this directory + * @param boolean $recursive whether recursively delete all child files and child directories recursively. + * @param boolean $force whether force delete the file/dir. If force delete, all files will be wiped physically. Else, they are moved to trash derectory. + * @param array $additional_flags An array of keyval pairs (array) reprenting additional flags passed to the server/client message. Each keyval pair is an array with first element repsenting the key, and second element representing the value (default to ''). Supported keys are: + * - 'irodsRmTrash' - whether this rm is a rmtrash operation + * - 'irodsAdminRmTrash' - whether this rm is a rmtrash operation done by admin user + * @param mixed $status_update_func It can be an string or array that represents the status update function (see http://us.php.net/manual/en/language.pseudo-types.php#language.types.callback), which can update status based on the server status update. Leave it blank or 'null' if there is no need to update the status. The function will be called with an assossive arry as parameter, supported fields are: + * - 'filesCnt' - finished number of files from previous update (normally 10 but not the last update) + * - 'lastObjPath' - last object that was processed. + * If this function returns 1, progress will be stopped. + */ + // public function rmdir($recursive=true,$force=false, $additional_flags=array(), + // $status_update_func=null) + public function rmdir($recursive = true, $force = false, $additional_flags = array(), + $status_update_func = null, + $get_cb = array('RODSConnManager', 'getConn'), + $rel_cb = array('RODSConnManager', 'releaseConn')) + { + //$conn = RODSConnManager::getConn($this->account); + $conn = call_user_func_array($get_cb, array(&$this->account)); + $conn->rmdir($this->path_str, $recursive, $force, $additional_flags, + $status_update_func); + // RODSConnManager::releaseConn($conn); + call_user_func($rel_cb, $conn); + } + + /** + * get the dir stats + * @param boolean $force_reload If stats already present in the object, and this flag is true, a force reload will be done. + * @return RODSDirStats the stats object, note that if this object will not refresh unless $force_reload flag is used. + */ + // public function getStats($force_reload=false) + public function getStats($force_reload = false, + $get_cb = array('RODSConnManager', 'getConn'), + $rel_cb = array('RODSConnManager', 'releaseConn')) + { + if (($force_reload === false) && ($this->stats)) + return $this->stats; + + //$conn = RODSConnManager::getConn($this->account); + $conn = call_user_func_array($get_cb, array(&$this->account)); + $stats = $conn->getDirStats($this->path_str); + //RODSConnManager::releaseConn($conn); + call_user_func($rel_cb, $conn); + + if ($stats === false) $this->stats = NULL; + else $this->stats = $stats; + return $this->stats; + } + + public function getACL() + { + + $collection = $this->path_str; + + $connLocal = RODSConnManager::getConn($this->account); + $que_result_coll = $connLocal->genQuery( + array("COL_COLL_INHERITANCE", "COL_COLL_NAME", "COL_COLL_OWNER_NAME", "COL_COLL_ID"), + array(new RODSQueryCondition("COL_COLL_NAME", $collection))); + + $users['COL_COLL_INHERITANCE'] = (int)($que_result_coll['COL_COLL_INHERITANCE'][0]); + + $que_result_users = $connLocal->genQuery( + array("COL_DATA_ACCESS_NAME", "COL_DATA_ACCESS_USER_ID"), + array(new RODSQueryCondition("COL_DATA_ACCESS_DATA_ID", $que_result_coll['COL_COLL_ID'][0]))); + + for($i=0; $igenQuery( + array("COL_USER_NAME", "COL_USER_ZONE"), + array(new RODSQueryCondition("COL_USER_ID", $que_result_users["COL_DATA_ACCESS_USER_ID"][$i]))); + + $users['COL_USERS'][] = (object) array( + "COL_USER_NAME" => $que_result_user_info['COL_USER_NAME'][0], + "COL_USER_ZONE" => $que_result_user_info['COL_USER_ZONE'][0], + "COL_DATA_ACCESS_NAME" => $que_result_users['COL_DATA_ACCESS_NAME'][$i] + ); + } + + RODSConnManager::releaseConn($connLocal); + return $users; + + + } + + /** + * get the dir statistics, such as total number of files under this dir + * @param string $fld Name of the statistics, supported values are: + * - num_dirs number of directories + * - num_files number of files + * @param boolean $recursive wheather recursively through the sub collections, default is true. + * @return result, an integer value, assosiated with the query. + */ + //public function queryStatistics($fld, $recursive=true) + public function queryStatistics($fld, $recursive = true, + $get_cb = array('RODSConnManager', 'getConn'), + $rel_cb = array('RODSConnManager', 'releaseConn')) + { + $condition = new RODSGenQueConds(); + $select = new RODSGenQueSelFlds(); + $ret_data_index = ''; + switch ($fld) { + case 'num_dirs' : + $select->add('COL_COLL_ID', 'count'); + $ret_data_index = 'COL_COLL_ID'; + if ($recursive === true) + $condition->add('COL_COLL_NAME', 'like', $this->path_str . '/%'); + else + $condition->add('COL_COLL_PARENT_NAME', '=', $this->path_str); + break; + case 'num_files' : + $select->add('COL_D_DATA_ID', 'count'); + $ret_data_index = 'COL_D_DATA_ID'; + if ($recursive === true) + $condition->add('COL_COLL_NAME', 'like', $this->path_str . '/%', + array(array('op' => '=', 'val' => $this->path_str))); + else + $condition->add('COL_COLL_NAME', '=', $this->path_str); + break; + default : + throw new RODSException("Query field '$fld' not supported!", + 'PERR_USER_INPUT_ERROR'); + } + + //$conn = RODSConnManager::getConn($this->account); + $conn = call_user_func_array($get_cb, array(&$this->account)); + $results = $conn->query($select, $condition); + //RODSConnManager::releaseConn($conn); + call_user_func($rel_cb, $conn); + $result_values = $results->getValues(); + + if (isset($result_values[$ret_data_index][0])) + return intval($result_values[$ret_data_index][0]); + else { + throw new RODSException("Query did not get value back with expected " . + "index: $ret_data_index!", 'GENERAL_PRODS_ERR'); + } + } + + /** + * query metadata, and find matching files. + * @param array $terms an assositive array of search conditions, supported ones are: + * - 'name' (string) - partial name of the target (file or dir) + * - 'descendantOnly' (boolean) - whether to search among this directory's decendents. default is false. + * - 'recursive' (boolean) - whether to search recursively, among all decendents and their children. default is false. This option only works when 'descendantOnly' is true + * - 'logicalFile' (boolean) - whether to return logical file, instead of all replicas for each file. if true, the resource name for each file will be null, instead, num_replicas will be provided. default is false. + * - 'smtime' (int) - start last-modified-time in unix timestamp. The specified time is included in query, in other words the search can be thought was "mtime >= specified time" + * - 'emtime' (int) - end last-modified-time in unix timestamp. The specified time is not included in query, in other words the search can be thought was "mtime < specified time" + * - 'owner' (string) - owner name of the file + * - 'rescname' (string) - resource name of the file + * - 'metadata' (array of RODSMeta) - array of metadata. + * @param int &$total_count This value (passed by reference) returns the total potential count of search results + * @param int $start starting index of search results. + * @param int $limit up to how many results to be returned. If negative, give all results back. + * @param array $sort_flds associative array with following keys: + * - 'name' - name of the file or dir + * - 'size' - size of the file + * - 'mtime' - last modified time + * - 'ctime' - creation time + * - 'owner' - owner of the file + * - 'typename' - file/data type + * - 'dirname' - directory/collection name for the file + * The results are sorted by specified array keys. + * The possible array value must be boolean: true stands for 'asc' and false stands for 'desc', default is 'asc' + * @return array of ProdsPath objects (ProdsFile or ProdsDir). + */ + //public function findFiles(array $terms, &$total_count, $start=0, $limit=-1, array $sort_flds=array()) + public function findFiles(array $terms, &$total_count, $start = 0, $limit = -1, + array $sort_flds = array(), + $get_cb = array('RODSConnManager', 'getConn'), + $rel_cb = array('RODSConnManager', 'releaseConn')) + { + $flds = array("COL_DATA_NAME" => NULL, "COL_D_DATA_ID" => NULL, + "COL_DATA_TYPE_NAME" => NULL, "COL_D_RESC_NAME" => NULL, + "COL_DATA_SIZE" => NULL, "COL_D_OWNER_NAME" => NULL, "COL_D_OWNER_ZONE" => NULL, + "COL_D_CREATE_TIME" => NULL, "COL_D_MODIFY_TIME" => NULL, + "COL_COLL_NAME" => NULL, "COL_D_COMMENTS" => NULL); + + foreach ($sort_flds as $sort_fld_key => $sort_fld_val) { + switch ($sort_fld_key) { + case 'name': + if ($sort_fld_val === false) + $flds['COL_DATA_NAME'] = 'order_by_desc'; + else + $flds['COL_DATA_NAME'] = 'order_by_asc'; + break; + + case 'size': + if ($sort_fld_val === false) + $flds['COL_DATA_SIZE'] = 'order_by_desc'; + else + $flds['COL_DATA_SIZE'] = 'order_by_asc'; + break; + + case 'mtime': + if ($sort_fld_val === false) + $flds['COL_D_MODIFY_TIME'] = 'order_by_desc'; + else + $flds['COL_D_MODIFY_TIME'] = 'order_by_asc'; + break; + + case 'ctime': + if ($sort_fld_val === false) + $flds['COL_D_CREATE_TIME'] = 'order_by_desc'; + else + $flds['COL_D_CREATE_TIME'] = 'order_by_asc'; + break; + + case 'typename': + if ($sort_fld_val === false) + $flds['COL_DATA_TYPE_NAME'] = 'order_by_desc'; + else + $flds['COL_DATA_TYPE_NAME'] = 'order_by_asc'; + break; + + case 'owner': + if ($sort_fld_val === false) + $flds['COL_D_OWNER_NAME'] = 'order_by_desc'; + else + $flds['COL_D_OWNER_NAME'] = 'order_by_asc'; + break; + + case 'dirname': + if ($sort_fld_val === false) + $flds['COL_COLL_NAME'] = 'order_by_desc'; + else + $flds['COL_COLL_NAME'] = 'order_by_asc'; + break; + + default: + /* + throw new RODSException("Sort field name '$sort_fld_key' is not valid", + 'PERR_USER_INPUT_ERROR'); + break; + */ + } + } + $select = new RODSGenQueSelFlds(array_keys($flds), array_values($flds)); + + $descendantOnly = false; + $recursive = false; + $logicalFile = false; + $condition = new RODSGenQueConds(); + foreach ($terms as $term_key => $term_val) { + switch ($term_key) { + case 'name': + //$condition->add('COL_DATA_NAME', 'like', '%'.$term_val.'%'); + $condition->add('COL_DATA_NAME', 'like', $term_val); + break; + case 'smtime': + $condition->add('COL_D_MODIFY_TIME', '>=', $term_val); + break; + case 'emtime': + $condition->add('COL_D_MODIFY_TIME', '<', $term_val); + break; + case 'owner': + $condition->add('COL_D_OWNER_NAME', '=', $term_val); + break; + case 'ownerzone': + $condition->add('COL_D_OWNER_ZONE', '=', $term_val); + break; + case 'rescname': + $condition->add('COL_D_RESC_NAME', '=', $term_val); + break; + case 'metadata': + $meta_array = $term_val; + foreach ($meta_array as $meta) { + if (isset($meta->name)) { + if ($meta->nameop === 'like') { + $condition->add('COL_META_DATA_ATTR_NAME', 'like', '%' . $meta->name . '%'); + } else if (isset($meta->nameop)) { + $condition->add('COL_META_DATA_ATTR_NAME', $meta->nameop, $meta->name); + } else { + $condition->add('COL_META_DATA_ATTR_NAME', '=', $meta->name); + } + } + if (isset($meta->value)) { + if ($meta->op === 'like') { + $condition->add('COL_META_DATA_ATTR_VALUE', 'like', '%' . $meta->value . '%'); + } else if (isset($meta->op)) { + $condition->add('COL_META_DATA_ATTR_VALUE', $meta->op, $meta->value); + } else { + $condition->add('COL_META_DATA_ATTR_VALUE', '=', $meta->value); + } + } + if (isset($meta->unit)) { + if ($meta->unitop === 'like') { + $condition->add('COL_META_DATA_ATTR_UNIT', 'like', '%' . $meta->unit . '%'); + } else if (isset($meta->unitop)) { + $condition->add('COL_META_DATA_ATTR_UNIT', $meta->unitop, $meta->unit); + } else { + $condition->add('COL_META_DATA_ATTR_UNIT', '=', $meta->unit); + } + } + } + break; + + case 'descendantOnly': + if (true === $term_val) + $descendantOnly = true; + break; + + case 'recursive': + if (true === $term_val) + $recursive = true; + break; + + case 'logicalFile': + if (true === $term_val) + $logicalFile = true; + break; + + default: + throw new RODSException("Term field name '$term_key' is not valid", + 'PERR_USER_INPUT_ERROR'); + break; + } + } + + if ($descendantOnly === true) { + if ($recursive === true) + $condition->add('COL_COLL_NAME', 'like', $this->path_str . '/%', + array(array('op' => '=', 'val' => $this->path_str))); + else + $condition->add('COL_COLL_NAME', '=', $this->path_str); + } + + if ($logicalFile === true) { + $select->update('COL_D_RESC_NAME', 'count'); + $select->update('COL_DATA_SIZE', 'max'); + $select->update('COL_D_CREATE_TIME', 'min'); + $select->update('COL_D_MODIFY_TIME', 'max'); + } + + //$conn = RODSConnManager::getConn($this->account); + $conn = call_user_func_array($get_cb, array(&$this->account)); + $results = $conn->query($select, $condition, $start, $limit); + //RODSConnManager::releaseConn($conn); + call_user_func($rel_cb, $conn); + + $total_count = $results->getTotalCount(); + $result_values = $results->getValues(); + $found = array(); + for ($i = 0; $i < $results->getNumRow(); $i++) { + $resc_name = ($logicalFile === true) ? NULL : $result_values['COL_D_RESC_NAME'][$i]; + $num_replica = ($logicalFile === true) ? intval($result_values['COL_D_RESC_NAME'][$i]) : NULL; + $stats = new RODSFileStats( + $result_values['COL_DATA_NAME'][$i], + $result_values['COL_DATA_SIZE'][$i], + $result_values['COL_D_OWNER_NAME'][$i], + $result_values['COL_D_OWNER_ZONE'][$i], + $result_values['COL_D_MODIFY_TIME'][$i], + $result_values['COL_D_CREATE_TIME'][$i], + $result_values['COL_D_DATA_ID'][$i], + $result_values['COL_DATA_TYPE_NAME'][$i], + $resc_name, + $result_values['COL_D_COMMENTS'][$i], + $num_replica + ); + + if ($result_values['COL_COLL_NAME'][$i] == '/') + $full_path = '/' . $result_values['COL_DATA_NAME'][$i]; + else + $full_path = $result_values['COL_COLL_NAME'][$i] . '/' . + $result_values['COL_DATA_NAME'][$i]; + $found[] = new ProdsFile($this->account, $full_path, false, $stats); + } + return $found; + } + + /** + * query metadata, and find matching diretories. + * @param array $terms an assositive array of search conditions, supported ones are: + * - 'name' (string) - partial name of the target (file or dir) + * - 'descendantOnly' (boolean) - whether to search among this directory's decendents. default is false. + * - 'recursive' (boolean) - whether to search recursively, among all decendents and their children. default is false. This option only works when 'descendantOnly' is true + * - 'smtime' (int) - start last-modified-time in unix timestamp. The specified time is included in query, in other words the search can be thought was "mtime >= specified time" + * - 'emtime' (int) - end last-modified-time in unix timestamp. The specified time is not included in query, in other words the search can be thought was "mtime < specified time" + * - 'owner' (string) - owner name of the dir + * - 'metadata' (array of RODSMeta) - array of metadata. + * @param int &$total_count This value (passed by reference) returns the total potential count of search results + * @param int $start starting index of search results. + * @param int $limit up to how many results to be returned. If negative, give all results back. + * @param array $sort_flds associative array with following keys: + * - 'name' - name of the dir + * - 'mtime' - last modified time + * - 'ctime' - creation time + * - 'owner' - owner of the dir + * The results are sorted by specified array keys. + * The possible array value must be boolean: true stands for 'asc' and false stands for 'desc', default is 'asc' + * @return array of ProdsPath objects (ProdsFile or ProdsDir). + */ + public function findDirs(array $terms, &$total_count, $start = 0, $limit = -1, + array $sort_flds = array()) + { + $flds = array("COL_COLL_NAME" => NULL, "COL_COLL_ID" => NULL, + "COL_COLL_OWNER_NAME" => NULL, 'COL_COLL_OWNER_ZONE' => NULL, + "COL_COLL_CREATE_TIME" => NULL, "COL_COLL_MODIFY_TIME" => NULL, + "COL_COLL_COMMENTS" => NULL); + + foreach ($sort_flds as $sort_fld_key => $sort_fld_val) { + switch ($sort_fld_key) { + case 'name': + if ($sort_fld_val === false) + $flds['COL_COLL_NAME'] = 'order_by_desc'; + else + $flds['COL_COLL_NAME'] = 'order_by_asc'; + break; + + case 'mtime': + if ($sort_fld_val === false) + $flds['COL_COLL_MODIFY_TIME'] = 'order_by_desc'; + else + $flds['COL_COLL_MODIFY_TIME'] = 'order_by_asc'; + break; + + case 'ctime': + if ($sort_fld_val === false) + $flds['COL_COLL_CREATE_TIME'] = 'order_by_desc'; + else + $flds['COL_COLL_CREATE_TIME'] = 'order_by_asc'; + break; + + case 'owner': + if ($sort_fld_val === false) + $flds['COL_COLL_OWNER_NAME'] = 'order_by_desc'; + else + $flds['COL_COLL_OWNER_NAME'] = 'order_by_asc'; + break; + + default: + /* + throw new RODSException("Sort field name '$sort_fld_key' is not valid", + 'PERR_USER_INPUT_ERROR'); + */ + break; + } + } + $select = new RODSGenQueSelFlds(array_keys($flds), array_values($flds)); + + $descendantOnly = false; + $recursive = false; + $condition = new RODSGenQueConds(); + foreach ($terms as $term_key => $term_val) { + switch ($term_key) { + case 'name': + //$condition->add('COL_COLL_NAME', 'like', '%'.$term_val.'%'); + $condition->add('COL_COLL_NAME', 'like', $term_val); + break; + case 'smtime': + $condition->add('COL_COLL_MODIFY_TIME', '>=', $term_val); + break; + case 'emtime': + $condition->add('COL_COLL_MODIFY_TIME', '<', $term_val); + break; + case 'owner': + $condition->add('COL_COLL_OWNER_NAME', '=', $term_val); + break; + case 'metadata': + $meta_array = $term_val; + foreach ($meta_array as $meta) { + $condition->add('COL_META_COLL_ATTR_NAME', '=', $meta->name); + if (isset($meta->op)) + $op = $meta->op; + else + $op = '='; + if ($op == 'like') + //$value='%'.$meta->value.'%'; + $value = $meta->value; + else + $value = $meta->value; + $condition->add('COL_META_COLL_ATTR_VALUE', $op, $value); + } + break; + + case 'descendantOnly': + if (true === $term_val) + $descendantOnly = true; + break; + + case 'recursive': + if (true === $term_val) + $recursive = true; + break; + + default: + throw new RODSException("Term field name '$term_key' is not valid", + 'PERR_USER_INPUT_ERROR'); + break; + } + } + + if ($descendantOnly === true) { + // eliminate '/' from children, if current path is already root + if ($this->path_str == '/') + $condition->add('COL_COLL_NAME', '<>', '/'); + + if ($recursive === true) + $condition->add('COL_COLL_PARENT_NAME', 'like', $this->path_str . '/%', + array(array('op' => '=', 'val' => $this->path_str))); + else + $condition->add('COL_COLL_PARENT_NAME', '=', $this->path_str); + } + + $conn = RODSConnManager::getConn($this->account); + $results = $conn->query($select, $condition, $start, $limit); + RODSConnManager::releaseConn($conn); + + $total_count = $results->getTotalCount(); + $result_values = $results->getValues(); + $found = array(); + for ($i = 0; $i < $results->getNumRow(); $i++) { + $full_path = $result_values['COL_COLL_NAME'][$i]; + $acctual_name = basename($result_values['COL_COLL_NAME'][$i]); + $stats = new RODSDirStats( + $acctual_name, + $result_values['COL_COLL_OWNER_NAME'][$i], + $result_values['COL_COLL_OWNER_ZONE'][$i], + $result_values['COL_COLL_MODIFY_TIME'][$i], + $result_values['COL_COLL_CREATE_TIME'][$i], + $result_values['COL_COLL_ID'][$i], + $result_values['COL_COLL_COMMENTS'][$i]); + + $found[] = new ProdsDir($this->account, $full_path, false, $stats); + } + return $found; + } +} diff --git a/apps/files_external/3rdparty/irodsphp/prods/src/ProdsFile.class.php b/apps/files_external/3rdparty/irodsphp/prods/src/ProdsFile.class.php new file mode 100644 index 0000000000..3fa5da0dcc --- /dev/null +++ b/apps/files_external/3rdparty/irodsphp/prods/src/ProdsFile.class.php @@ -0,0 +1,434 @@ + + * @copyright Copyright © 2007, TBD + * @package Prods + */ + +require_once("autoload.inc.php"); + +class ProdsFile extends ProdsPath +{ + public $stats; + + private $rodsconn; //real RODS connection + private $l1desc; //lvl 1 descriptor on RODS server + private $conn; //the connection to RODS agent l1desc lives on. + private $rescname; //resource name. + private $openmode; //open mode used if file is opened + private $position; //current position of the file, if opened. + + /** + * The class constructor + */ + public function __construct(RODSAccount &$account, $path_str, + $verify = false, RODSFileStats $stats = NULL) + { + $this->l1desc = -1; + $this->stats = $stats; + + if ($path_str{strlen($path_str) - 1} == '/') { + throw new RODSException("Invalid file name '$path_str' ", + 'PERR_USER_INPUT_PATH_ERROR'); + } + + parent::__construct($account, $path_str); + if ($verify === true) { + if ($this->exists() === false) { + throw new RODSException("File '$this' does not exist", + 'PERR_PATH_DOES_NOT_EXISTS'); + } + } + } + + + /** + * Create a new ProdsFile object from URI string. + * @param string $path the URI Sting + * @param boolean $verify whether verify if the path exsits + * @return a new ProdsDir + */ + public static function fromURI($path, $verify=false) + { + if (0!=strncmp($path,"rods://",7)) + $path="rods://".$path; + $url=parse_url($path); + + $host=isset($url['host'])?$url['host']:''; + $port=isset($url['port'])?$url['port']:''; + + $user=''; + $zone=''; + $authtype='irods'; + if (isset($url['user'])) + { + if (strstr($url['user'],".")!==false) { + $user_array=@explode(".",$url['user']); + if (count($user_array)===3) { + $user=$user_array[0]; + $zone=$user_array[1]; + $authtype=$user_array[2]; + } + else { + $user=$user_array[0]; + $zone=$user_array[1]; + } + } + else + $user=$url['user']; + } + + $pass=isset($url['pass'])?$url['pass']:''; + + $account=new RODSAccount($host, $port, $user, $pass, $zone, '', $authtype); + + $path_str=isset($url['path'])?$url['path']:''; + + // treat query and fragment as part of name + if (isset($url['query'])&&(strlen($url['query'])>0)) + $path_str=$path_str.'?'.$url['query']; + if (isset($url['fragment'])&&(strlen($url['fragment'])>0)) + $path_str=$path_str.'#'.$url['fragment']; + + if (empty($path_str)) + $path_str='/'; + + return (new ProdsFile($account,$path_str,$verify)); + } + + /** + * Verify if this file exist with server. This function shouldn't be called directly, use {@link exists} + */ + protected function verify() + { + $conn = RODSConnManager::getConn($this->account); + $this->path_exists= $conn -> fileExists ($this->path_str); + RODSConnManager::releaseConn($conn); + } + + /** + * get the file stats + */ + public function getStats() + { + $conn = RODSConnManager::getConn($this->account); + $stats=$conn->getFileStats($this->path_str); + RODSConnManager::releaseConn($conn); + + if ($stats===false) $this->stats=NULL; + else $this->stats=$stats; + return $this->stats; + } + + /** + * Open a file path (string) exists on RODS server. + * + * @param string $mode open mode. Supported modes are: + * - 'r' Open for reading only; place the file pointer at the beginning of the file. + * - 'r+' Open for reading and writing; place the file pointer at the beginning of the file. + * - 'w' Open for writing only; place the file pointer at the beginning of the file and truncate the file to zero length. If the file does not exist, attempt to create it. + * - 'w+' Open for reading and writing; place the file pointer at the beginning of the file and truncate the file to zero length. If the file does not exist, attempt to create it. + * - 'a' Open for writing only; place the file pointer at the end of the file. If the file does not exist, attempt to create it. + * - 'a+' Open for reading and writing; place the file pointer at the end of the file. If the file does not exist, attempt to create it. + * - 'x' Create and open for writing only; place the file pointer at the beginning of the file. If the file already exists, the fopen() call will fail by returning FALSE and generating an error of level E_WARNING. If the file does not exist, attempt to create it. This is equivalent to specifying O_EXCL|O_CREAT flags for the underlying open(2) system call. + * - 'x+' Create and open for reading and writing; place the file pointer at the beginning of the file. If the file already exists, the fopen() call will fail by returning FALSE and generating an error of level E_WARNING. If the file does not exist, attempt to create it. This is equivalent to specifying O_EXCL|O_CREAT flags for the underlying open(2) system call. + * @param string $rescname. Note that this parameter is required only if the file does not exists (create mode). If the file already exists, and if file resource is unknown or unique or you-dont-care for that file, leave the field, or pass NULL. + * @param boolean $assum_file_exists. This parameter specifies whether file exists. If the value is false, this mothod will check with RODS server to make sure. If value is true, the check will NOT be done. Default value is false. + * @param string $filetype. This parameter only make sense when you want to specify the file type, if file does not exists (create mode). If not specified, it defaults to "generic" + * @param integer $cmode. This parameter is only used for "createmode". It specifies the file mode on physical storage system (RODS vault), in octal 4 digit format. For instance, 0644 is owner readable/writeable, and nothing else. 0777 is all readable, writable, and excutable. If not specified, and the open flag requirs create mode, it defaults to 0644. + */ + public function open($mode, $rescname = NULL, + $assum_file_exists = false, $filetype = 'generic', $cmode = 0644) + { + if ($this->l1desc >= 0) + return; + + if (!empty($rescname)) + $this->rescname = $rescname; + + $this->conn = RODSConnManager::getConn($this->account); + $this->l1desc = $this->conn->openFileDesc($this->path_str, $mode, + $this->postion, $rescname, $assum_file_exists, $filetype, $cmode); + $this->openmode = $mode; + RODSConnManager::releaseConn($this->conn); + } + + /** + * get the file open mode, if opened previously + * @return string open mode, if not opened, it return NULL + */ + public function getOpenmode() + { + return $this->openmode; + } + + /** + * get the file current position, if opened previously + * @return string open mode, if not opened, it return NULL + */ + public function tell() + { + return $this->position; + } + + /** + * unlink the file on server + * @param string $rescname resource name. Not required if there is no other replica. + * @param boolean $force flag (true or false) indicating whether force delete or not. + */ + public function unlink($rescname = NULL, $force = false) + { + $conn = RODSConnManager::getConn($this->account); + $conn->fileUnlink($this->path_str, $rescname, $force); + RODSConnManager::releaseConn($conn); + } + /** + * close the file descriptor (private) made from RODS server earlier. + */ + public function close() + { + if ($this->l1desc >= 0) { + while ($this->conn->isIdle() === false) { + trigger_error("The connection is not available! sleep for a while and retry...", + E_USER_WARNING); + usleep(50); + } + $this->conn->lock(); + $this->conn->closeFileDesc($this->l1desc); + $this->conn->unlock(); + $this->conn = null; //release the connection + $this->l1desc = -1; + } + } + + /** + * reads up to length bytes from the file. Reading stops when up to length bytes have been read, EOF (end of file) is reached + * + * @param int $length up to how many bytes to read. + * @return the read string. + */ + public function read($length) + { + if ($this->l1desc < 0) { + throw new RODSException("File '$this' is not opened! l1desc=$this->l1desc", + 'PERR_USER_INPUT_ERROR'); + } + + while ($this->conn->isIdle() === false) { + trigger_error("The connection is not available! sleep for a while and retry...", + E_USER_WARNING); + usleep(50); + } + + $this->conn->lock(); + $retval = $this->conn->fileRead($this->l1desc, $length); + $this->position = $this->position + strlen($retval); + $this->conn->unlock(); + return $retval; + } + + /** + * write up to length bytes to the server. this function is binary safe. + * @param string $string contents to be written. + * @param int $length up to how many bytes to write. + * @return the number of bytes written. + */ + public function write($string, $length = NULL) + { + if ($this->l1desc < 0) { + throw new RODSException("File '$this' is not opened! l1desc=$this->l1desc", + 'PERR_USER_INPUT_ERROR'); + } + + while ($this->conn->isIdle() === false) { + trigger_error("The connection is not available! sleep for a while and retry...", + E_USER_WARNING); + usleep(50); + } + + $this->conn->lock(); + $retval = $this->conn->fileWrite($this->l1desc, $string, $length); + $this->position = $this->position + (int)$retval; + $this->conn->unlock(); + return $retval; + } + + /** + * Sets the file position for the file. The new position, measured in bytes from the beginning of the file, is obtained by adding offset to the position specified by whence, whose values are defined as follows: + * SEEK_SET - Set position equal to offset bytes. + * SEEK_CUR - Set position to current location plus offset. + * SEEK_END - Set position to end-of-file plus offset. (To move to a position before the end-of-file, you need to pass a negative value in offset.) + * If whence is not specified, it is assumed to be SEEK_SET. + * @return int the current offset + */ + public function seek($offset, $whence = SEEK_SET) + { + if ($this->l1desc < 0) { + throw new RODSException("File '$this' is not opened! l1desc=$this->l1desc", + 'PERR_USER_INPUT_ERROR'); + } + + while ($this->conn->isIdle() === false) { + trigger_error("The connection is not available! sleep for a while and retry...", + E_USER_WARNING); + usleep(50); + } + + $this->conn->lock(); + $retval = $this->conn->fileSeek($this->l1desc, $offset, $whence); + $this->position = (int)$retval; + $this->conn->unlock(); + return $retval; + } + + /** + * Sets the file position to the beginning of the file stream. + */ + public function rewind() + { + while ($this->conn->isIdle() === false) { + trigger_error("The connection is not available! sleep for a while and retry...", + E_USER_WARNING); + usleep(50); + } + + $this->seek(0, SEEK_SET); + $this->position = 0; + } + + /** + * get the file descriptor (private) made from RODS server earlier. + */ + public function getL1desc() + { + return $this->l1desc; + } + + /** + * Because RODS server can only do file operations in a single connection, a RODS + * connection is 'reserved' when file is opened, and released when closed. + */ + public function getConn() + { + return $this->conn; + } + + /** + * Replicate file to resources with options. + * @param string $desc_resc destination resource + * @param array $options an assosive array of options: + * - 'all' (boolean): only meaningful if input resource is a resource group. Replicate to all the resources in the resource group. + * - 'backupMode' (boolean): if a good copy already exists in this resource, don't make another copy. + * - 'admin' (boolean): admin user uses this option to backup/replicate other users files + * - 'replNum' (integer): the replica to copy, typically not needed + * - 'srcResc' (string): specifies the source resource of the data object to be replicate, only copies stored in this resource will be replicated. Otherwise, one of the copy will be replicated + * These options are all 'optional', if omitted, the server will try to do it anyway + * @return number of bytes written if success, in case of faliure, throw an exception + */ + public function repl($desc_resc, array $options = array()) + { + $conn = RODSConnManager::getConn($this->account); + $bytesWritten = $conn->repl($this->path_str, $desc_resc, $options); + RODSConnManager::releaseConn($conn); + + return $bytesWritten; + } + + /** + * get replica information for this file + * @return array of array, each child array is a associative and contains: + * [repl_num] : replica number + * [chk_sum] : checksum of the file + * [size] : size of the file (replica) + * [resc_name] : resource name + * [resc_repl_status] : replica status (dirty bit), whether this replica is dirty (modifed), and requirs synchs to other replicas. + * [resc_grp_name] : resource group name + * [resc_type] : resource type name + * [resc_class] : resource class name + * [resc_loc] : resource location + * [resc_freespace]: resource freespace + * [data_status] : data status + * [ctime] : data creation time (unix timestamp) + * [mtime] : data last modified time (unix timestamp) + */ + public function getReplInfo() + { + $select = new RODSGenQueSelFlds( + array("COL_DATA_REPL_NUM", "COL_D_DATA_CHECKSUM", 'COL_DATA_SIZE', + "COL_D_RESC_NAME", "COL_D_RESC_GROUP_NAME", + "COL_D_DATA_STATUS", "COL_D_CREATE_TIME", + "COL_D_MODIFY_TIME", 'COL_R_TYPE_NAME', 'COL_R_CLASS_NAME', + 'COL_R_LOC', 'COL_R_FREE_SPACE', 'COL_D_REPL_STATUS') + ); + $condition = new RODSGenQueConds( + array("COL_COLL_NAME", "COL_DATA_NAME"), + array("=", "="), + array($this->parent_path, $this->name) + ); + + $conn = RODSConnManager::getConn($this->account); + $que_result = $conn->query($select, $condition); + RODSConnManager::releaseConn($conn); + + $ret_arr = array(); + for ($i = 0; $i < $que_result->getNumRow(); $i++) { + $ret_arr_row = array(); + $que_result_val = $que_result->getValues(); + $ret_arr_row['repl_num'] = $que_result_val['COL_DATA_REPL_NUM'][$i]; + $ret_arr_row['chk_sum'] = $que_result_val['COL_D_DATA_CHECKSUM'][$i]; + $ret_arr_row['size'] = $que_result_val['COL_DATA_SIZE'][$i]; + $ret_arr_row['resc_name'] = $que_result_val['COL_D_RESC_NAME'][$i]; + $ret_arr_row['resc_grp_name'] = $que_result_val['COL_D_RESC_GROUP_NAME'][$i]; + $ret_arr_row['data_status'] = $que_result_val['COL_D_DATA_STATUS'][$i]; + $ret_arr_row['ctime'] = $que_result_val['COL_D_CREATE_TIME'][$i]; + $ret_arr_row['mtime'] = $que_result_val['COL_D_MODIFY_TIME'][$i]; + $ret_arr_row['resc_type'] = $que_result_val['COL_R_TYPE_NAME'][$i]; + $ret_arr_row['resc_class'] = $que_result_val['COL_R_CLASS_NAME'][$i]; + $ret_arr_row['resc_loc'] = $que_result_val['COL_R_LOC'][$i]; + $ret_arr_row['resc_freespace'] = $que_result_val['COL_R_FREE_SPACE'][$i]; + $ret_arr_row['resc_repl_status'] = $que_result_val['COL_D_REPL_STATUS'][$i]; + $ret_arr[] = $ret_arr_row; + } + return $ret_arr; + } + + /** + * Get ACL (users and their rights on a file) + * @param string $filepath input file path string + * @return RODSFileStats. If file does not exists, return fales. + */ + public function getACL() + { + + $filepath = $this->path_str; + $parent = dirname($filepath); + $filename = basename($filepath); + +// $cond = array(new RODSQueryCondition("COL_COLL_NAME", $parent), +// new RODSQueryCondition("COL_DATA_NAME", $filename)); + $cond = array(new RODSQueryCondition("COL_DATA_NAME", $filename), + new RODSQueryCondition("COL_COLL_NAME", $parent)); + + $connLocal = RODSConnManager::getConn($this->account); + $que_result = $connLocal->genQuery( + array("COL_USER_NAME", "COL_USER_ZONE", "COL_DATA_ACCESS_NAME"), + $cond, array()); + RODSConnManager::releaseConn($connLocal); + if ($que_result === false) return false; + + + for($i=0; $i < sizeof($que_result['COL_USER_NAME']); $i++) { + $users[] = (object) array( + "COL_USER_NAME" => $que_result['COL_USER_NAME'][$i], + "COL_USER_ZONE" => $que_result['COL_USER_ZONE'][$i], + "COL_DATA_ACCESS_NAME" => $que_result['COL_DATA_ACCESS_NAME'][$i] + ); + } + return $users; + } +} + + + + diff --git a/apps/files_external/3rdparty/irodsphp/prods/src/ProdsPath.class.php b/apps/files_external/3rdparty/irodsphp/prods/src/ProdsPath.class.php new file mode 100644 index 0000000000..be7c6c5678 --- /dev/null +++ b/apps/files_external/3rdparty/irodsphp/prods/src/ProdsPath.class.php @@ -0,0 +1,283 @@ + + * @copyright Copyright © 2007, TBD + * @package Prods + */ + +require_once("autoload.inc.php"); + +require_once(CLASS_DIR . "/ProdsConfig.inc.php"); + +/** + * ProdsPath class. This class is a abastract class for objects that can be represented as a path, such as file or directory + * @package Prods + */ +abstract class ProdsPath +{ + /** + * string path + * @var string + */ + public $path_str; + + public $account; + + protected $path_exists; + + protected $parent_path; + protected $name; + + /** + * Default Constructor. Because this class is abstract, this constructor should not be called directly. + * + * @param RODSAccount account iRODS account used for connection + * @param string $path_str the path of this dir + * @return ProdsPath a new ProdsPath + */ + public function __construct(RODSAccount &$account, $path_str) + { + $this->account = $account; + + // strip the tailing "/" + while ((strlen($path_str) > 1) && ($path_str{strlen($path_str) - 1} == '/')) { + $path_str = substr($path_str, 0, strlen($path_str) - 1); + } + // remove duplicate '/' characters + $path_str = str_replace('//', '/', $path_str); + $this->path_str = $path_str; + if ($path_str == '/') { + $this->parent_path = null; + } else { + $this->parent_path = dirname($this->path_str); + } + $this->name = basename($this->path_str); + } + + public function __toString() + { + return $this->account . $this->path_str; + } + + /** + * Whether this path (dir or file) exists on the server. + * @return boolean + */ + public function exists() + { + if (isset($this->path_exists)) + return $this->path_exists; + + else { + $this->verify(); + return $this->path_exists; + } + } + + /** + * Verify if a path exist with server. This function shouldn't be called directly, use {@link exists} + */ + abstract protected function verify(); + + /** + * Get meta data of this path (file or dir). + * @return array array of RODSMeta. + */ + //public function getMeta() + public function getMeta($get_cb = array('RODSConnManager', 'getConn'), + $rel_cb = array('RODSConnManager', 'releaseConn')) + { + if ($this instanceof ProdsFile) + $type = 'd'; + else + if ($this instanceof ProdsDir) + $type = 'c'; + else + throw new RODSException("Unsupported data type:" . get_class($this), + "PERR_INTERNAL_ERR"); + //$conn = RODSConnManager::getConn($this->account); + $conn = call_user_func_array($get_cb, array(&$this->account)); + $meta_array = $conn->getMeta($type, $this->path_str); + //RODSConnManager::releaseConn($conn); + call_user_func($rel_cb, $conn); + return $meta_array; + } + + /** + * update metadata to this path (file or dir) + */ + public function updateMeta(RODSMeta $meta_old, RODSMeta $meta_new) + { + $this->rmMeta($meta_old); + $this->addMeta($meta_new); + } + + /** + * Add metadata to this path (file or dir) + */ + // public function addMeta(RODSMeta $meta) + public function addMeta(RODSMeta $meta, + $get_cb = array('RODSConnManager', 'getConn'), + $rel_cb = array('RODSConnManager', 'releaseConn')) + { + if ($this instanceof ProdsFile) + $type = 'd'; + else + if ($this instanceof ProdsDir) + $type = 'c'; + else + throw new RODSException("Unsupported data type:" . get_class($this), + "PERR_INTERNAL_ERR"); + + //$conn = RODSConnManager::getConn($this->account); + $conn = call_user_func_array($get_cb, array(&$this->account)); + $conn->addMeta($type, $this->path_str, $meta); + //RODSConnManager::releaseConn($conn); + call_user_func($rel_cb, $conn); + } + + /** + * remove metadata to this path (file or dir) + */ + // public function rmMeta(RODSMeta $meta) + public function rmMeta(RODSMeta $meta, + $get_cb = array('RODSConnManager', 'getConn'), + $rel_cb = array('RODSConnManager', 'releaseConn')) + { + if ($this instanceof ProdsFile) + $type = 'd'; + else + if ($this instanceof ProdsDir) + $type = 'c'; + else + throw new RODSException("Unsupported data type:" . get_class($this), + "PERR_INTERNAL_ERR"); + + //$conn = RODSConnManager::getConn($this->account); + $conn = call_user_func_array($get_cb, array(&$this->account)); + $conn->rmMeta($type, $this->path_str, $meta); + //RODSConnManager::releaseConn($conn); + call_user_func($rel_cb, $conn); + } + + /** + * remove metadata of this path (file or dir) by id + * @param integer metaid id of the metadata entry + */ + // public function rmMetaByID ($metaid) + public function rmMetaByID($metaid, + $get_cb = array('RODSConnManager', 'getConn'), + $rel_cb = array('RODSConnManager', 'releaseConn')) + { + if ($this instanceof ProdsFile) + $type = 'd'; + else + if ($this instanceof ProdsDir) + $type = 'c'; + else + throw new RODSException("Unsupported data type:" . get_class($this), + "PERR_INTERNAL_ERR"); + + //$conn = RODSConnManager::getConn($this->account); + $conn = call_user_func_array($get_cb, array(&$this->account)); + $conn->rmMetaByID($type, $this->path_str, $metaid); + //RODSConnManager::releaseConn($conn); + call_user_func($rel_cb, $conn); + } + + /** + * copy meta data from this path (file or dir) to $dest path + */ + // public function cpMeta(ProdsPath $dest) + public function cpMeta(ProdsPath $dest, + $get_cb = array('RODSConnManager', 'getConn'), + $rel_cb = array('RODSConnManager', 'releaseConn')) + { + if ($this instanceof ProdsFile) + $type_src = 'd'; + else + if ($this instanceof ProdsDir) + $type_src = 'c'; + else + throw new RODSException("Unsupported data type:" . get_class($this), + "PERR_INTERNAL_ERR"); + + if ($dest instanceof ProdsFile) + $type_dest = 'd'; + else + if ($dest instanceof ProdsDir) + $type_dest = 'c'; + else + throw new RODSException("Unsupported data type:" . get_class($this), + "PERR_INTERNAL_ERR"); + + //$conn = RODSConnManager::getConn($this->account); + $conn = call_user_func_array($get_cb, array(&$this->account)); + $conn->cpMeta($type_src, $type_dest, $this->path_str, $dest->path_str); + //RODSConnManager::releaseConn($conn); + call_user_func($rel_cb, $conn); + } + + /** + * rename this path (file of dir) + * @param string $new_path_str new path string to be renamed to. + */ + // public function rename($new_path_str) + public function rename($new_path_str, + $get_cb = array('RODSConnManager', 'getConn'), + $rel_cb = array('RODSConnManager', 'releaseConn')) + { + if ($this instanceof ProdsFile) + $type = 0; + else + $type = 1; + //$conn = RODSConnManager::getConn($this->account); + $conn = call_user_func_array($get_cb, array(&$this->account)); + $conn->rename($this->path_str, $new_path_str, $type); + //RODSConnManager::releaseConn($conn); + call_user_func($rel_cb, $conn); + $this->path_str = $new_path_str; + $this->parent_path = dirname($this->path_str); + $this->name = basename($this->path_str); + } + + /** + * Get name of this path. note that this is not the full path. for instance if path is "/foo/bar", the name is "bar" + * @return string name of the path. + */ + public function getName() + { + return $this->name; + } + + /** + * Get string form of this path. note that this is the full path. + * @return string form of the path. + */ + public function getPath() + { + return $this->path_str; + } + + /** + * Get parent's path of this path. + * @return string parent's path. + */ + public function getParentPath() + { + return $this->parent_path; + } + + /** + * Get URI of this path. + * @return string this path's URI. + */ + public function toURI() + { + return $this->account->toURI() . $this->path_str; + } + +} + +?> diff --git a/apps/files_external/3rdparty/irodsphp/prods/src/ProdsQuery.class.php b/apps/files_external/3rdparty/irodsphp/prods/src/ProdsQuery.class.php new file mode 100644 index 0000000000..6246972597 --- /dev/null +++ b/apps/files_external/3rdparty/irodsphp/prods/src/ProdsQuery.class.php @@ -0,0 +1,107 @@ + + * @copyright Copyright © 2007, TBD + * @package Prods + */ +require_once("autoload.inc.php"); + +class ProdsQuery +{ + public $account; + + public function __construct(RODSAccount $account) + { + $this->account = $account; + } + + /** + * Get all user defined metadata names for all files on the server. + * @return array of strings (metadata names). + */ + public function getMetadataNamesForAllFiles() + { + $flds = array("COL_META_DATA_ATTR_NAME" => NULL); + $select = new RODSGenQueSelFlds(array_keys($flds), array_values($flds)); + $condition = new RODSGenQueConds(); + $condition->add('COL_D_DATA_ID', '>=', '0'); + $conn = RODSConnManager::getConn($this->account); + $results = $conn->query($select, $condition); + RODSConnManager::releaseConn($conn); + + if ($results->getNumRow() < 1) + return array(); + else { + $values = $results->getValues(); + return $values['COL_META_DATA_ATTR_NAME']; + } + } + + /** + * Get all user defined metadata names for all directories(collections) on the server. + * @return array of strings (metadata names). + */ + public function getMetadataNamesForAllDirs() + { + $flds = array("COL_META_COLL_ATTR_NAME" => NULL); + $select = new RODSGenQueSelFlds(array_keys($flds), array_values($flds)); + $condition = new RODSGenQueConds(); + $condition->add('COL_COLL_ID', '>=', '0'); + $conn = RODSConnManager::getConn($this->account); + $results = $conn->query($select, $condition); + RODSConnManager::releaseConn($conn); + + if ($results->getNumRow() < 1) + return array(); + else { + $values = $results->getValues(); + return $values['COL_META_COLL_ATTR_NAME']; + } + } + + /** + * Get all resources registered on the server + * @return array with fields: id, name, type, zone, class, loc, info, comment, ctime, mtime, vault_path, free_space. If user not found return empty array. + */ + public function getResources() + { + // set selected value + $flds = array("COL_R_RESC_ID" => NULL, "COL_R_RESC_NAME" => NULL, + "COL_R_ZONE_NAME" => NULL, "COL_R_TYPE_NAME" => NULL, + "COL_R_CLASS_NAME" => NULL, "COL_R_LOC" => NULL, + "COL_R_VAULT_PATH" => NULL, "COL_R_FREE_SPACE" => NULL, + "COL_R_RESC_INFO" => NULL, "COL_R_RESC_COMMENT" => NULL, + "COL_R_CREATE_TIME" => NULL, "COL_R_MODIFY_TIME" => NULL); + $select = new RODSGenQueSelFlds(array_keys($flds), array_values($flds)); + $condition = new RODSGenQueConds(); + $conn = RODSConnManager::getConn($this->account); + $results = $conn->query($select, $condition); + RODSConnManager::releaseConn($conn); + $result_vals = $results->getValues(); + $retval = array(); + for ($i = 0; $i < $results->getNumRow(); $i++) { + $retval_row = array(); + $retval_row['id'] = $result_vals["COL_R_RESC_ID"][$i]; + $retval_row['name'] = $result_vals["COL_R_RESC_NAME"][$i]; + $retval_row['type'] = $result_vals["COL_R_TYPE_NAME"][$i]; + $retval_row['zone'] = $result_vals["COL_R_ZONE_NAME"][$i]; + $retval_row['class'] = $result_vals["COL_R_CLASS_NAME"][$i]; + $retval_row['loc'] = $result_vals["COL_R_LOC"][$i]; + $retval_row['info'] = $result_vals["COL_R_RESC_INFO"][$i]; + $retval_row['comment'] = $result_vals["COL_R_RESC_COMMENT"][$i]; + $retval_row['ctime'] = $result_vals["COL_R_CREATE_TIME"][$i]; + $retval_row['mtime'] = $result_vals["COL_R_MODIFY_TIME"][$i]; + $retval_row['vault_path'] = $result_vals["COL_R_VAULT_PATH"][$i]; + $retval_row['free_space'] = $result_vals["COL_R_FREE_SPACE"][$i]; + $retval[] = $retval_row; + } + return $retval; + + } +} + +?> \ No newline at end of file diff --git a/apps/files_external/3rdparty/irodsphp/prods/src/ProdsRule.class.php b/apps/files_external/3rdparty/irodsphp/prods/src/ProdsRule.class.php new file mode 100644 index 0000000000..42308d9cc3 --- /dev/null +++ b/apps/files_external/3rdparty/irodsphp/prods/src/ProdsRule.class.php @@ -0,0 +1,62 @@ + + * @copyright Copyright © 2007, TBD + * @package Prods + */ +require_once("autoload.inc.php"); + +class ProdsRule +{ + public $account; + public $body; + public $inp_params; + public $out_params; + public $remotesvr; + public $options; + + /* + * @param RODSAccount account this is the account used to connect to iRODS server + * @param string $rule_body body of the rule. Read this tutorial for details about rules: http://www.irods.org/index.php/Executing_user_defined_rules/workflow + * @param array $inp_params associative array defining input parameters for micro services used in this rule. only string and keyval pair are supported at this time. If the array value is a string, then type is string, if the array value is an RODSKeyValPair object, it will be treated a keyval pair + * @param array $out_params an array of names (strings) + * @param array $remotesvr if this rule need to run at remote server, this associative array should have the following keys: + * - 'host' remote host name or address + * - 'port' remote port + * - 'zone' remote zone + * if any of the value is empty, this option will be ignored. + * @param RODSKeyValPair $options an RODSKeyValPair specifying additional options, purpose of this is unknown at the developement time. Leave it alone if you are as clueless as me... + */ + public function __construct(RODSAccount $account, $rule_body, + array $inp_params = array(), array $out_params = array(), + array $remotesvr = array(), RODSKeyValPair $options = null) + { + $this->account = $account; + $this->rule_body = $rule_body; + $this->inp_params = $inp_params; + $this->out_params = $out_params; + $this->remotesvr = $remotesvr; + if (isset($options)) + $this->options = $options; + else + $this->options = new RODSKeyValPair(); + } + + /** + * Excute the rule, assign + * @return an associative array. Each array key is the lable, and each array value's type will depend on the type of $out_param, at this moment, only string and RODSKeyValPair are supported + */ + public function execute() + { + $conn = RODSConnManager::getConn($this->account); + $result = $conn->execUserRule($this->rule_body, $this->inp_params, + $this->out_params, $this->remotesvr, $this->options = null); + RODSConnManager::releaseConn($conn); + + return $result; + } +} + +?> \ No newline at end of file diff --git a/apps/files_external/3rdparty/irodsphp/prods/src/ProdsStreamer.class.php b/apps/files_external/3rdparty/irodsphp/prods/src/ProdsStreamer.class.php new file mode 100644 index 0000000000..27b927bb03 --- /dev/null +++ b/apps/files_external/3rdparty/irodsphp/prods/src/ProdsStreamer.class.php @@ -0,0 +1,436 @@ + + * @copyright Copyright © 2007, TBD + * @package Prods + */ + +require_once("autoload.inc.php"); + +class ProdsStreamer +{ + /** + * current position of the file or dir + * + * @access private + */ + private $position; + + /** + * Name of the directory/collection specified in the URI to opendir(). + * + * @access private + */ + private $dir; + + /** + * Name of the file specified in the URI to fopen(). + * + * @access private + */ + private $file; + + + /** + * url_stat() handler. + * + * @access private + */ + public function url_stat($path) + { + try { + $file=ProdsDir::fromURI($path); + $conn = RODSConnManager::getConn($file->account); + + $stats = $this->stat_file($conn, $file->path_str); + if (!$stats) { + $stats = $this->stat_dir($conn, $file->path_str); + } + + RODSConnManager::releaseConn($conn); + + return $stats; + + } catch (Exception $e) { + trigger_error("Got an exception:$e", E_USER_WARNING); + return false; + } + } + + /** + * @param $conn + * @param $file + * @return mixed + */ + private function stat_dir($conn, $path_str) { + try { + $irods_stats = $conn->getDirStats($path_str); + if (!$irods_stats) + return false; + $stats = array(); + $stats[0] = $stats['dev'] = 0; + $stats[1] = $stats['ino'] = 0; + $stats[2] = $stats['mode'] = octdec('040755'); + $stats[3] = $stats['nlink'] = 1; + $stats[4] = $stats['uid'] = 0; + $stats[5] = $stats['gid'] = 0; + $stats[6] = $stats['rdev'] = -1; + $stats[7] = $stats['size'] = 0; + $stats[8] = $stats['atime'] = time(); + $stats[9] = $stats['mtime'] = $irods_stats->mtime; + $stats[10] = $stats['ctime'] = $irods_stats->ctime; + $stats[11] = $stats['blksize'] = -1; + $stats[12] = $stats['blocks'] = -1; + return $stats; + } catch (Exception $e) { + trigger_error("Got an exception: $e", E_USER_WARNING); + return false; + } + } + + /** + * @param $conn + * @param $file + * @return mixed + */ + private function stat_file($conn, $path_str) { + try { + $irods_stats = $conn->getFileStats($path_str); + if (!$irods_stats) + return false; + $stats = array(); + $stats[0] = $stats['dev'] = 0; + $stats[1] = $stats['ino'] = 0; + $stats[2] = $stats['mode'] = octdec('100644'); + $stats[3] = $stats['nlink'] = 1; + $stats[4] = $stats['uid'] = 0; + $stats[5] = $stats['gid'] = 0; + $stats[6] = $stats['rdev'] = -1; + $stats[7] = $stats['size'] = $irods_stats->size; + $stats[8] = $stats['atime'] = time(); + $stats[9] = $stats['mtime'] = $irods_stats->mtime; + $stats[10] = $stats['ctime'] = $irods_stats->ctime; + $stats[11] = $stats['blksize'] = -1; + $stats[12] = $stats['blocks'] = -1; + return $stats; + } catch (Exception $e) { + trigger_error("Got an exception: $e", E_USER_WARNING); + return false; + } + } + + /** + * mkdir() handler. + * + * @access private + */ + function mkdir ($url, $mode, $options) { + try { + $file=ProdsDir::fromURI($url); + $conn = RODSConnManager::getConn($file->account); + $conn->mkdir($file->path_str); + + RODSConnManager::releaseConn($conn); + return true; + } catch (Exception $e) { + trigger_error("Got an exception:$e", E_USER_WARNING); + return false; + } + } + + /** + * rmdir() handler + * + * @param $url + * @return bool + */ + function rmdir ($url) { + try { + $file=ProdsDir::fromURI($url); + $conn = RODSConnManager::getConn($file->account); + $conn->rmdir($file->path_str); + + RODSConnManager::releaseConn($conn); + return true; + } catch (Exception $e) { + trigger_error("Got an exception:$e", E_USER_WARNING); + return false; + } + } + + /** + * unlink() handler. + * + * @access private + */ + function unlink ($url) { + try { + $file=ProdsDir::fromURI($url); + $conn = RODSConnManager::getConn($file->account); + if (is_dir($url)) { + $conn->rmdir($file->path_str, true, true); + } else { + $conn->fileUnlink($file->path_str, NULL, true); + } + + RODSConnManager::releaseConn($conn); + return true; + } catch (Exception $e) { + trigger_error("Got an exception:$e", E_USER_WARNING); + return false; + } + } + + /** + * rename() handler. + * + * @access private + */ + function rename ($url_from, $url_to) { + try { + $file_from=ProdsDir::fromURI($url_from); + $file_to=ProdsDir::fromURI($url_to); + $conn = RODSConnManager::getConn($file_from->account); + + if (is_dir($url_from)) { + $conn->rename($file_from->path_str, $file_to->path_str, 0); + } else { + $conn->rename($file_from->path_str, $file_to->path_str, 1); + } + + RODSConnManager::releaseConn($conn); + return true; + } catch (Exception $e) { + trigger_error("Got an exception:$e", E_USER_WARNING); + return false; + } + } + + /** + * opendir() handler. + * + * @access private + */ + public function dir_opendir ($path, $options) + { + try { + $this->dir=ProdsDir::fromURI($path,true); + return true; + } catch (Exception $e) { + trigger_error("Got an exception:$e", E_USER_WARNING); + return false; + } + } + + /** + * readdir() handler. + * + * @access private + */ + public function dir_readdir() + { + try { + $child = $this->dir->getNextChild(); + if ($child === false) return false; + return $child->getName(); + } catch (Exception $e) { + trigger_error("Got an exception:$e", E_USER_WARNING); + return false; + } + } + + /** + * fread() and fgets() handler. + * + * @access private + */ + public function stream_read ($count) { + if (in_array ($this->file->getOpenMode(), array ('w', 'a', 'x'))) { + return false; + } + try { + $ret = $this->file->read($count); + $this->position=$this->file->tell(); + return $ret; + } catch (Exception $e) { + trigger_error("Got an exception:$e", E_USER_WARNING); + return false; + } + } + + /** + * fwrite() handler. + * + * @access private + */ + public function stream_write ($data) { + if ($this->file->getOpenMode() =='r') { + return false; + } + try { + $ret = $this->file->write($data); + $this->position=$this->file->tell(); + return $ret; + } catch (Exception $e) { + trigger_error("Got an exception:$e", E_USER_WARNING); + return false; + } + } + /** + * rewinddir() handler. + * + * @access private + */ + public function dir_rewinddir() + { + try { + $this->dir->rewind(); + return true; + } catch (Exception $e) { + trigger_error("Got an exception:$e", E_USER_WARNING); + return false; + } + } + + /** + * closedir() handler. + * + * @access private + */ + public function dir_closedir() + { + try { + $this->dir->rewind(); + return true; + } catch (Exception $e) { + trigger_error("Got an exception:$e", E_USER_WARNING); + return false; + } + } + + /** + * fopen() handler. + * + * @access private + */ + public function stream_open($path, $mode, $options, &$opened_path) + { + + // get rid of tailing 'b', if any. + if (($mode{strlen($mode) - 1} == 'b') && (strlen($mode) > 1)) + $mode = substr($mode, 0, strlen($mode) - 1); + try { + $this->file = ProdsFile::fromURI($path); + $this->file->open($mode); + return true; + } catch (Exception $e) { + trigger_error("Got an exception:$e", E_USER_WARNING); + return false; + } + } + + /** + * fstat() handler. + * + * @access private + */ + function stream_stat () { + + try { + $stats=$this->file->getStats(); + return array ( + -1, -1, -1, -1, -1, -1, $stats->size, time (), $stats->mtime, $stats->ctime, -1, -1, + 'dev' => -1, + 'ino' => -1, + 'mode' => -1, + 'nlink' => -1, + 'uid' => -1, + 'gid' => -1, + 'rdev' => -1, + 'size' => $stats->size, + 'atime' => time (), + 'mtime' => $stats->mtime, + 'ctime' => $stats->ctime, + 'blksize' => -1, + 'blocks' => -1, + ); + } catch (Exception $e) { + trigger_error("Got an exception:$e", E_USER_WARNING); + return false; + } + } + + /** + * fclose() handler. + * + * @access private + */ + function stream_close () { + $this->file->close(); + $this->position = 0; + $this->file = null; + $this->dir = null; + } + + /** + * ftell() handler. + * + * @access private + */ + function stream_tell() + { + return $this->position; + } + + /** + * feof() handler. + * + * @access private + */ + function stream_eof() + { + try { + $stats = $this->file->getStats(); + return $this->position >= $stats->size; + } catch (Exception $e) { + trigger_error("Got an exception:$e", E_USER_WARNING); + return true; + } + } + + /** + * fseek() handler. + * + * @access private + */ + function stream_seek($offset, $whence) + { + try { + $this->file->seek($offset, $whence); + return true; + } catch (Exception $e) { + trigger_error("Got an exception:$e", E_USER_WARNING); + return false; + } + } + + /** + * fflush() handler. Please Note: This method must be called for any + * changes to be committed to the repository. + * + * @access private + */ + function stream_flush() + { + return true; + } +} + +stream_wrapper_register('rods', 'ProdsStreamer') + or die ('Failed to register protocol:rods'); +stream_wrapper_register('rods+ticket', 'ProdsStreamer') + or die ('Failed to register protocol:rods'); +?> + diff --git a/apps/files_external/3rdparty/irodsphp/prods/src/ProdsTicket.class.php b/apps/files_external/3rdparty/irodsphp/prods/src/ProdsTicket.class.php new file mode 100644 index 0000000000..0038a9c073 --- /dev/null +++ b/apps/files_external/3rdparty/irodsphp/prods/src/ProdsTicket.class.php @@ -0,0 +1,41 @@ + + * Date: 30.01.13 + * Time: 14:15 + */ + +require_once("autoload.inc.php"); + +class ProdsTicket +{ + private $account; + + public function __construct( RODSAccount &$account ) + { + $this->account = $account; + } + + /* + * This is just a stupid wrapper + * It proxifies RODSConn->createTicket + */ + public function createTicket( $object, $permission = 'read', $ticket = '' ) + { + $conn = RODSConnManager::getConn($this->account); + $ticket = $conn->createTicket($object, $permission, $ticket ); + RODSConnManager::releaseConn($conn); + return $ticket; + } + + /* + * This is also a stupid wrapper + * It proxifies RODSConn->deleteTicket + */ + public function deleteTicket( $ticket ) + { + $conn = RODSConnManager::getConn($this->account); + $ticket = $conn->deleteTicket( $ticket ); + RODSConnManager::releaseConn($conn); + } +} \ No newline at end of file diff --git a/apps/files_external/3rdparty/irodsphp/prods/src/RODSAccount.class.php b/apps/files_external/3rdparty/irodsphp/prods/src/RODSAccount.class.php new file mode 100644 index 0000000000..f47f85bc23 --- /dev/null +++ b/apps/files_external/3rdparty/irodsphp/prods/src/RODSAccount.class.php @@ -0,0 +1,203 @@ +host=$host; + $this->port=$port; + $this->user=$user; + $this->pass=$pass; + $this->zone=$zone; + $this->default_resc=$default_resc; + $this->auth_type=$auth_type; + $this->ticket = $ticket; + } + + /** + * Create a RODSAccount object from URI string. + * @param string $uri + * @return a new RODSAccount object + */ + public static function fromURI($uri) + { + $url=parse_url($uri); + + $host=isset($url['host'])?$url['host']:''; + $port=isset($url['port'])?$url['port']:''; + + $user=''; + $zone=''; + $authtype='irods'; + if (isset($url['user'])) + { + if (strstr($url['user'],".")!==false) { + $user_array=@explode(".",$url['user']); + if (count($user_array)===3) { + $user=$user_array[0]; + $zone=$user_array[1]; + $authtype=$user_array[2]; + } + else { + $user=$user_array[0]; + $zone=$user_array[1]; + } + } + else + $user=$url['user']; + } + + $pass=isset($url['pass'])?$url['pass']:''; + + return (new RODSAccount($host, $port, $user, $pass, $zone, "", $authtype,$ticket = '')); + } + + + + public function equals(RODSAccount $other) + { + if (!isset($other)) + return false; + + if (($this->host == $other->host) && + ($this->port == $other->port) && + ($this->user == $other->user) + ) { + $ret_val = true; + } else + $ret_val = false; + + //echo ( "$this->host,$this->port,$this->user vs. $other->host,$other->port,$other->user = $ret_val"); + //flush(); + return $ret_val; + } + + public function getSignature() + { + return (bin2hex(md5("$this->user.$this->zone:this->pass@$this->host:$this->port.$this->ticket", TRUE))); + } + + public function __toString() + { + return "$this->user.$this->zone:(password hidden)@$this->host:$this->port"; + } + + public function toURI() + { + return ($this->user . + (empty($this->zone) ? '' : '.' . $this->zone) . + "@" . $this->host . ":" . $this->port); + } + + /** + * Get user information + * @param string username, if not specified, it will use current username instead + * @return array with fields: id, name, type, zone, dn, info, comment, ctime, mtime. If user not found return empty array. + */ + public function getUserInfo($username = NULL, + $get_cb = array('RODSConnManager', 'getConn'), + $rel_cb = array('RODSConnManager', 'releaseConn')) + { + //$conn = RODSConnManager::getConn($this); + $conn = call_user_func_array($get_cb, array(&$this)); + //TODO: Overcome fear of passing $this by reference or stop passing $this by reference + $userinfo = $conn->getUserInfo($username); + //RODSConnManager::releaseConn($conn); + call_user_func($rel_cb, $conn); + if ((!empty($userinfo)) && (!empty($userinfo['zone']))) + $this->zone = $userinfo['zone']; + return $userinfo; + } + + /** + * Get a temp password for current user + * @return string of temp password + */ + public function getTempPassword($get_cb = array('RODSConnManager', 'getConn'), + $rel_cb = array('RODSConnManager', 'releaseConn')) + { + //$conn = RODSConnManager::getConn($this); + $conn = call_user_func_array($get_cb, array(&$this)); + //TODO: Overcome fear of passing $this by reference or stop passing $this by reference + $temppass = $conn->getTempPassword(); + // RODSConnManager::releaseConn($conn); + call_user_func($rel_cb, $conn); + return $temppass; + } + + /** + * Get user's home directory + * @param string init_path, if specified, it will overwrite the default path + * @return ProdsDir User's home directory + */ + public function getUserHomeDir($init_path = NULL) + { + if (empty($this->zone)) + $this->getUserInfo(); + if (isset($init_path)) { + $dir = new ProdsDir($this, $init_path); + if ($dir->exists()) { + return $dir; + } + } + return new ProdsDir($this, "/$this->zone/home/$this->user"); + } + + /** + * Get user's home directory URI + * @param string init_path, if specified, it will overwrite the default path + * @return String User's home + */ + public function getUserHomeDirURI($init_path = NULL) + { + $dir = $this->getUserHomeDir($init_path); + return $dir->toURI(); + } + + /** + * Get user's trash directory + * @return ProdsDir User's trash dir + */ + public function getUserTrashDir() + { + if (empty($this->zone)) + $this->getUserInfo(); + return new ProdsDir($this, "/$this->zone/trash/home/$this->user"); + } + + /** + * Get user's trash directory URI + * @return String User's trash URI + */ + public function getUserTrashDirURI() + { + $dir = $this->getUserTrashDir(); + return $dir->toURI(); + } +} + +?> diff --git a/apps/files_external/3rdparty/irodsphp/prods/src/RODSConn.class.php b/apps/files_external/3rdparty/irodsphp/prods/src/RODSConn.class.php new file mode 100644 index 0000000000..0498f42cfa --- /dev/null +++ b/apps/files_external/3rdparty/irodsphp/prods/src/RODSConn.class.php @@ -0,0 +1,1615 @@ + + * @copyright Copyright © 2007, TBD + * @package RODSConn + */ + + +require_once("autoload.inc.php"); +require_once("RodsAPINum.inc.php"); +require_once("RodsConst.inc.php"); + +if (!defined("O_RDONLY")) define ("O_RDONLY", 0); +if (!defined("O_WRONLY")) define ("O_WRONLY", 1); +if (!defined("O_RDWR")) define ("O_RDWR", 2); +if (!defined("O_TRUNC")) define ("O_TRUNC", 512); + +class RODSConn +{ + private $conn; // (resource) socket connection to RODS server + + private $account; // RODS user account + + private $idle; + private $id; + + public $connected; + + /** + * Makes a new connection to RODS server, with supplied user information (name, passwd etc.) + * @param string $host hostname + * @param string $port port number + * @param string $user username + * @param string $pass passwd + * @param string $zone zonename + */ + public function __construct(RODSAccount &$account) + { + $this->account=$account; + $this->connected=false; + $this->conn=NULL; + $this->idle=true; + } + + public function __destruct() + { + if ($this->connected===true) + $this->disconnect(); + } + + public function equals(RODSConn $other) + { + return $this->account->equals($other->account); + } + + public function getSignature() + { + return $this->account->getSignature(); + } + + public function lock() + { + $this->idle=false; + } + + public function unlock() + { + $this->idle=true; + } + + public function isIdle() + { + return ($this->idle); + } + + public function getId() + { + return $this->id; + } + + public function setId($id) + { + $this->id=$id; + } + + public function getAccount() + { + return $this->account; + } + + public function connect() + { + $host=$this->account->host; + $port=$this->account->port; + $user=$this->account->user; + $pass=$this->account->pass; + $zone=$this->account->zone; + $auth_type = $this->account->auth_type; + + // if we're going to use PAM, set up the socket context + // options for SSL connections when we open the connection + if (strcasecmp($auth_type, "PAM") == 0) { + $ssl_opts = array('ssl' => array()); + if (array_key_exists('ssl', $GLOBALS['PRODS_CONFIG'])) { + $ssl_conf = $GLOBALS['PRODS_CONFIG']['ssl']; + if (array_key_exists('verify_peer', $ssl_conf)) { + if (strcasecmp("true", $ssl_conf['verify_peer']) == 0) { + $ssl_opts['ssl']['verify_peer'] = true; + } + } + if (array_key_exists('allow_self_signed', $ssl_conf)) { + if (strcasecmp("true", $ssl_conf['allow_self_signed']) == 0) { + $ssl_opts['ssl']['allow_self_signed'] = true; + } + } + if (array_key_exists('cafile', $ssl_conf)) { + $ssl_opts['ssl']['cafile'] = $ssl_conf['cafile']; + } + if (array_key_exists('capath', $ssl_conf)) { + $ssl_opts['ssl']['capath'] = $ssl_conf['capath']; + } + } + $ssl_ctx = stream_context_get_default($ssl_opts); + $sock_timeout = ini_get("default_socket_timeout"); + $conn = @stream_socket_client("tcp://$host:$port", $errno, $errstr, + $sock_timeout, STREAM_CLIENT_CONNECT, $ssl_ctx); + } + else { + $conn = @fsockopen($host, $port, $errno, $errstr); + } + if (!$conn) + throw new RODSException("Connection to '$host:$port' failed.1: ($errno)$errstr. ", + "SYS_SOCK_OPEN_ERR"); + $this->conn=$conn; + + // connect to RODS server + $msg=RODSMessage::packConnectMsg($user,$zone); + fwrite($conn, $msg); + + $msg=new RODSMessage(); + $intInfo=$msg->unpack($conn); + if ($intInfo<0) + { + throw new RODSException("Connection to '$host:$port' failed.2. User: $user Zone: $zone", + $GLOBALS['PRODS_ERR_CODES_REV']["$intInfo"]); + } + + // are we doing PAM authentication + if (strcasecmp($auth_type, "PAM") == 0) + { + // Ask server to turn on SSL + $req_packet = new RP_sslStartInp(); + $msg=new RODSMessage("RODS_API_REQ_T", $req_packet, + $GLOBALS['PRODS_API_NUMS']['SSL_START_AN']); + fwrite($conn, $msg->pack()); + $msg=new RODSMessage(); + $intInfo=$msg->unpack($conn); + if ($intInfo<0) + { + throw new RODSException("Connection to '$host:$port' failed.ssl1. User: $user Zone: $zone", + $GLOBALS['PRODS_ERR_CODES_REV']["$intInfo"]); + } + // Turn on SSL on our side + if (!stream_socket_enable_crypto($conn, true, STREAM_CRYPTO_METHOD_TLS_CLIENT)) { + throw new RODSException("Error turning on SSL on connection to server '$host:$port'."); + } + + // all good ... do the PAM authentication over the encrypted connection + $req_packet = new RP_pamAuthRequestInp($user, $pass, -1); + $msg=new RODSMessage("RODS_API_REQ_T", $req_packet, + $GLOBALS['PRODS_API_NUMS']['PAM_AUTH_REQUEST_AN']); + fwrite($conn, $msg->pack()); + $msg=new RODSMessage(); + $intInfo=$msg->unpack($conn); + if ($intInfo<0) + { + throw new RODSException("PAM auth failed at server '$host:$port' User: $user Zone: $zone", + $GLOBALS['PRODS_ERR_CODES_REV']["$intInfo"]); + } + + // Update the account object with the temporary password + // and set the auth_type to irods for this connection + $pack = $msg->getBody(); + $pass = $this->account->pass = $pack->irodsPamPassword; + + // Done authentication ... turn ask the server to turn off SSL + $req_packet = new RP_sslEndInp(); + $msg=new RODSMessage("RODS_API_REQ_T", $req_packet, + $GLOBALS['PRODS_API_NUMS']['SSL_END_AN']); + fwrite($conn, $msg->pack()); + $msg=new RODSMessage(); + $intInfo=$msg->unpack($conn); + if ($intInfo<0) + { + throw new RODSException("Connection to '$host:$port' failed.ssl2. User: $user Zone: $zone", + $GLOBALS['PRODS_ERR_CODES_REV']["$intInfo"]); + } + // De-activate SSL on the connection + stream_socket_enable_crypto($conn, false); + + // nasty hack ... some characters are left over to be read + // from the socket after the SSL shutdown, and I can't + // figure out how to consume them via SSL routines, so I + // just read them and throw them away. They need to be consumed + // or later reads get out of sync with the API responses + $r = array($conn); + $w = $e = null; + while (stream_select($r, $w, $e, 0) > 0) { + $s = fread($conn, 1); + } + + } + + // request authentication + $msg=new RODSMessage("RODS_API_REQ_T",NULL, + $GLOBALS['PRODS_API_NUMS']['AUTH_REQUEST_AN']); + fwrite($conn, $msg->pack()); + + // get chalange string + $msg=new RODSMessage(); + $intInfo=$msg->unpack($conn); + if ($intInfo<0) + { + throw new RODSException("Connection to '$host:$port' failed.3. User: $user Zone: $zone", + $GLOBALS['PRODS_ERR_CODES_REV']["$intInfo"]); + } + $pack=$msg->getBody(); + $challenge_b64encoded=$pack->challenge; + $challenge=base64_decode($challenge_b64encoded); + + // encode chalange with passwd + $pad_pass=str_pad($pass,MAX_PASSWORD_LEN,"\0"); + $pwmd5=md5($challenge.$pad_pass,true); + for ($i=0;$ipack()); + + // check if we are connected + // get chalange string + $msg=new RODSMessage(); + $intInfo=$msg->unpack($conn); + if ($intInfo<0) + { + $this->disconnect(); + throw new RODSException("Connection to '$host:$port' failed.4 (login failed, possible wrong user/passwd). User: $user Pass: $pass Zone: $zone", + $GLOBALS['PRODS_ERR_CODES_REV']["$intInfo"]); + } + + $this->connected=true; + // use ticket if specified + if( !empty($this->account->ticket) ) { + $ticket_packet = new RP_ticketAdminInp('session', $this->account->ticket); + $msg = new RODSMessage('RODS_API_REQ_T', $ticket_packet, 723); + fwrite($conn, $msg->pack()); + + // get response + $msg = new RODSMessage(); + $intInfo = $msg->unpack($conn); + if ($intInfo < 0) { + $this->disconnect(); + throw new RODSException('Cannot set session ticket.', + $GLOBALS['PRODS_ERR_CODES_REV']["$intInfo"]); + } + } + + } + /** + * Close the connection (socket) + */ + public function disconnect($force = false) + { + if (($this->connected === false) && ($force !== true)) + return; + + $msg = new RODSMessage("RODS_DISCONNECT_T"); + fwrite($this->conn, $msg->pack()); + fclose($this->conn); + $this->connected = false; + } + + public function createTicket( $object, $permission = 'read', $ticket = '' ) + { + if ($this->connected === false) { + throw new RODSException("createTicket needs an active connection, but the connection is currently inactive", + 'PERR_CONN_NOT_ACTIVE'); + } + if( empty($ticket) ) + { + // create a 16 characters long ticket + $chars = 'ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz0123456789'; + for ($i = 0; $i < 16; $i++) + $ticket .= $chars[mt_rand(1, strlen($chars))-1]; + } + + $ticket_packet = new RP_ticketAdminInp('create', $ticket, $permission, $object); + $msg = new RODSMessage('RODS_API_REQ_T', $ticket_packet, 723); + fwrite($this->conn, $msg->pack()); + + // get response + $msg = new RODSMessage(); + $intInfo = $msg->unpack($this->conn); + if ($intInfo < 0) { + throw new RODSException('Cannot create ticket "'.$ticket.'" for object "'.$object.'" with permission "'.$permission.'".', + $GLOBALS['PRODS_ERR_CODES_REV']["$intInfo"]); + } + + return $ticket; + } + + public function deleteTicket( $ticket ) + { + if ($this->connected === false) { + throw new RODSException("deleteTicket needs an active connection, but the connection is currently inactive", + 'PERR_CONN_NOT_ACTIVE'); + } + $ticket_packet = new RP_ticketAdminInp('delete', $ticket); + $msg = new RODSMessage('RODS_API_REQ_T', $ticket_packet, 723); + fwrite($this->conn, $msg->pack()); + + // get response + $msg = new RODSMessage(); + $intInfo = $msg->unpack($this->conn); + if ($intInfo < 0) { + throw new RODSException('Cannot delete ticket "'.$ticket.'".', + $GLOBALS['PRODS_ERR_CODES_REV']["$intInfo"]); + } + } + + /** + * Get a temp password from the server. + * @param string $key key obtained from server to generate password. If this key is not specified, this function will ask server for a new key. + * @return string temp password + */ + public function getTempPassword($key = NULL) + { + if ($this->connected === false) { + throw new RODSException("getTempPassword needs an active connection, but the connection is currently inactive", + 'PERR_CONN_NOT_ACTIVE'); + } + if (NULL == $key) + $key = $this->getKeyForTempPassword(); + + $auth_str = str_pad($key . $this->account->pass, 100, "\0"); + $pwmd5 = bin2hex(md5($auth_str, true)); + + return $pwmd5; + } + + + /** + * Get a key for temp password from the server. this key can then be hashed together with real password to generate an temp password. + * @return string key for temp password + */ + public function getKeyForTempPassword() + { + if ($this->connected === false) { + throw new RODSException("getKeyForTempPassword needs an active connection, but the connection is currently inactive", + 'PERR_CONN_NOT_ACTIVE'); + } + $msg = new RODSMessage("RODS_API_REQ_T", null, + $GLOBALS['PRODS_API_NUMS']['GET_TEMP_PASSWORD_AN']); + + fwrite($this->conn, $msg->pack()); // send it + $msg = new RODSMessage(); + $intInfo = (int)$msg->unpack($this->conn); + if ($intInfo < 0) { + throw new RODSException("RODSConn::getKeyForTempPassword has got an error from the server", + $GLOBALS['PRODS_ERR_CODES_REV']["$intInfo"]); + } + return ($msg->getBody()->stringToHashWith); + } + + /** + * Get user information + * @param string username, if not specified, it will use current username instead + * @return array with fields: id, name, type, zone, dn, info, comment, ctime, mtime. If user not found return empty array. + */ + public function getUserInfo($user = NULL) + { + if (!isset($user)) + $user = $this->account->user; + + // set selected value + $select_val = array("COL_USER_ID", "COL_USER_NAME", "COL_USER_TYPE", + "COL_USER_ZONE", "COL_USER_DN", "COL_USER_INFO", + "COL_USER_COMMENT", "COL_USER_CREATE_TIME", "COL_USER_MODIFY_TIME"); + $cond = array(new RODSQueryCondition("COL_USER_NAME", $user)); + $que_result = $this->genQuery($select_val, $cond); + + if (false === $que_result) { + return array(); + } else { + $retval = array(); + $retval['id'] = $que_result["COL_USER_ID"][0]; + $retval['name'] = $que_result["COL_USER_NAME"][0]; + $retval['type'] = $que_result["COL_USER_TYPE"][0]; + // $retval['zone']=$que_result["COL_USER_ZONE"][0]; This can cause confusion if + // username is same as another federated grid - sometimes multiple records are returned. + // Changed source to force user to provide a zone until another method is suggested. + if ($this->account->zone == "") { + $retval['zone'] = $que_result["COL_USER_ZONE"][0]; + } else { + $retval['zone'] = $this->account->zone; + } + $retval['dn'] = $que_result["COL_USER_DN"][0]; + $retval['info'] = $que_result["COL_USER_INFO"][0]; + $retval['comment'] = $que_result["COL_USER_COMMENT"][0]; + $retval['ctime'] = $que_result["COL_USER_CREATE_TIME"][0]; + $retval['mtime'] = $que_result["COL_USER_MODIFY_TIME"][0]; + + return $retval; + } + } + + /** + * Make a new directory + * @param string $dir input direcotory path string + */ + public function mkdir($dir) + { + $collInp_pk = new RP_CollInp($dir); + $msg = new RODSMessage("RODS_API_REQ_T", $collInp_pk, + $GLOBALS['PRODS_API_NUMS']['COLL_CREATE_AN']); + fwrite($this->conn, $msg->pack()); // send it + $msg = new RODSMessage(); + $intInfo = (int)$msg->unpack($this->conn); + if ($intInfo < 0) { + if (RODSException::rodsErrCodeToAbbr($intInfo) == 'CATALOG_ALREADY_HAS_ITEM_BY_THAT_NAME') { + throw new RODSException("Collection '$dir' Already exists!", + $GLOBALS['PRODS_ERR_CODES_REV']["$intInfo"]); + } + throw new RODSException("RODSConn::mkdir has got an error from the server", + $GLOBALS['PRODS_ERR_CODES_REV']["$intInfo"]); + } + } + + /** + * remove a directory + * @param string $dirpath input direcotory path string + * @param boolean $recursive whether recursively delete all child files and child directories recursively. + * @param boolean $force whether force delete the file/dir. If force delete, all files will be wiped physically. Else, they are moved to trash derectory. + * @param array $additional_flags An array of keyval pairs (array) reprenting additional flags passed to the server/client message. Each keyval pair is an array with first element repsenting the key, and second element representing the value (default to ''). Supported keys are: + * - 'irodsRmTrash' - whether this rm is a rmtrash operation + * - 'irodsAdminRmTrash' - whether this rm is a rmtrash operation done by admin user + * @param mixed $status_update_func It can be an string or array that represents the status update function (see http://us.php.net/manual/en/language.pseudo-types.php#language.types.callback), which can update status based on the server status update. Leave it blank or 'null' if there is no need to update the status. The function will be called with an assossive arry as parameter, supported fields are: + * - 'filesCnt' - finished number of files from previous update (normally 10 but not the last update) + * - 'lastObjPath' - last object that was processed. + * If this function returns 1, progress will be stopped. + */ + public function rmdir($dirpath, $recursive = true, $force = false, + $additional_flags = array(), $status_update_func = null) + { + $options = array(); + if ($force === true) { + $options["forceFlag"] = ""; + } + if ($recursive === true) { + $options["recursiveOpr"] = ""; + } + foreach ($additional_flags as $flagkey => $flagval) { + if (!empty($flagkey)) + $options[$flagkey] = $flagval; + } + $options_pk = new RP_KeyValPair(); + $options_pk->fromAssocArray($options); + + $collInp_pk = new RP_CollInp($dirpath, $options_pk); + $msg = new RODSMessage("RODS_API_REQ_T", $collInp_pk, + $GLOBALS['PRODS_API_NUMS']['RM_COLL_AN']); + fwrite($this->conn, $msg->pack()); // send it + $msg = new RODSMessage(); + $intInfo = (int)$msg->unpack($this->conn); + while ($msg->getBody() instanceof RP_CollOprStat) { + if (is_callable($status_update_func)) // call status update function if requested + { + $status = call_user_func($status_update_func, + array( + "filesCnt" => $msg->getBody()->filesCnt, + "lastObjPath" => $msg->getBody()->lastObjPath + ) + ); + if (false === $status) + throw new Exception("status_update_func failed!"); + else if (1 == $status) { + return; + } + } + + if ($intInfo == 0) //stop here if intinfo =0 (process completed) + break; + $this->replyStatusPacket(); + $msg = new RODSMessage(); + $intInfo = (int)$msg->unpack($this->conn); + } + + if ($intInfo < 0) { + if (RODSException::rodsErrCodeToAbbr($intInfo) == 'CAT_NO_ROWS_FOUND') { + return; + } + throw new RODSException("RODSConn::rmdir has got an error from the server", + $GLOBALS['PRODS_ERR_CODES_REV']["$intInfo"]); + } + } + + // this is a temp work around for status packet reply. + // in status packet protocol, the server gives a status update packet: + // SYS_SVR_TO_CLI_COLL_STAT (99999996) + // and it expects an integer only SYS_CLI_TO_SVR_COLL_STAT_REPLY (99999997) + private function replyStatusPacket() + { + fwrite($this->conn, pack("N", 99999997)); + } + + /** + * Get children direcotories of input direcotory path string + * @param string $dir input direcotory path string + * @return an array of string, each string is the name of a child directory. This fuction return empty array, if there is no child direcotry found + */ + public function getChildDir($dir, $startingInx = 0, $maxresults = 500, + &$total_num_rows = -1) + { + $cond = array(new RODSQueryCondition("COL_COLL_PARENT_NAME", $dir)); + $que_result = $this->genQuery(array("COL_COLL_NAME"), $cond, array(), + $startingInx, $maxresults, true, array(), 0, $total_num_rows); + + if (false === $que_result) { + return array(); + } else { + if ($dir == "/") { + $result = array(); + foreach ($que_result["COL_COLL_NAME"] as $childdir) { + if ($childdir != "/") { + $result[] = $childdir; + } + } + return $result; + } + + return array_values($que_result["COL_COLL_NAME"]); + } + } + + /** + * Get children direcotories, with basic stats, of input direcotory path string + * @param string $dir input direcotory path string + * @param $orderby An associated array specifying how to sort the result by attributes. Each array key is the attribute, array val is 0 (assendent) or 1 (dessendent). The supported attributes are "name", "owner", "mtime". + * @return an array of RODSDirStats + */ + public function getChildDirWithStats($dir, $orderby = array(), $startingInx = 0, + $maxresults = 500, &$total_num_rows = -1) + { + // set selected value + $select_val = array("COL_COLL_NAME", "COL_COLL_ID", "COL_COLL_OWNER_NAME", + "COL_COLL_OWNER_ZONE", "COL_COLL_CREATE_TIME", "COL_COLL_MODIFY_TIME", + "COL_COLL_COMMENTS"); + $select_attr = array(); + + // set order by + if (!empty($orderby)) { + $select_attr = array_fill(0, count($select_val), 1); + foreach ($orderby as $key => $val) { + if ($key == "name") { + if ($val == 0) $select_attr[0] = ORDER_BY; + else $select_attr[0] = ORDER_BY_DESC; + } else + if ($key == "owner") { + if ($val == 0) $select_attr[2] = ORDER_BY; + else $select_attr[2] = ORDER_BY_DESC; + } else + if ($key == "mtime") { + if ($val == 0) $select_attr[5] = ORDER_BY; + else $select_attr[5] = ORDER_BY_DESC; + } + } + } + + $cond = array(new RODSQueryCondition("COL_COLL_PARENT_NAME", $dir)); + $continueInx = 0; + $que_result = $this->genQuery($select_val, $cond, + array(), $startingInx, $maxresults, true, + $select_attr, $continueInx, $total_num_rows); + + if (false === $que_result) { + return array(); + } else { + $ret_val = array(); + for ($i = 0; $i < count($que_result['COL_COLL_ID']); $i++) { + if ($que_result['COL_COLL_NAME'][$i] != "/") { + $ret_val[] = new RODSDirStats( + basename($que_result['COL_COLL_NAME'][$i]), + $que_result['COL_COLL_OWNER_NAME'][$i], + $que_result['COL_COLL_OWNER_ZONE'][$i], + $que_result['COL_COLL_MODIFY_TIME'][$i], + $que_result['COL_COLL_CREATE_TIME'][$i], + $que_result['COL_COLL_ID'][$i], + $que_result['COL_COLL_COMMENTS'][$i] + ); + } + } + return $ret_val; + } + } + + /** + * Get children file of input direcotory path string + * @param string $dir input direcotory path string + * @return an array of string, each string is the name of a child file. This fuction return empty array, if there is no child direcotry found. + */ + public function getChildFile($dir, $startingInx = 0, $maxresults = 500, + &$total_num_rows = -1) + { + $cond = array(new RODSQueryCondition("COL_COLL_NAME", $dir)); + $que_result = $this->genQuery(array("COL_DATA_NAME"), $cond, array(), + $startingInx, $maxresults, true, array(), 0, $total_num_rows); + + if (false === $que_result) { + return array(); + } else { + return array_values($que_result["COL_DATA_NAME"]); + } + } + + /** + * Get children file, with basic stats, of input direcotory path string + * The stats + * @param string $dir input direcotory path string + * @param $orderby An associated array specifying how to sort the result by attributes. Each array key is the attribute, array val is 0 (assendent) or 1 (dessendent). The supported attributes are "name", "size", "owner", "mtime". + * @return an array of RODSFileStats + */ + public function getChildFileWithStats($dir, array $orderby = array(), + $startingInx = 0, $maxresults = 500, &$total_num_rows = -1) + { + // set selected value + $select_val = array("COL_DATA_NAME", "COL_D_DATA_ID", "COL_DATA_TYPE_NAME", + "COL_D_RESC_NAME", "COL_DATA_SIZE", "COL_D_OWNER_NAME", + "COL_D_CREATE_TIME", "COL_D_MODIFY_TIME"); + $select_attr = array(); + + // set order by + if (!empty($orderby)) { + $select_attr = array_fill(0, count($select_val), 1); + foreach ($orderby as $key => $val) { + if ($key == "name") { + if ($val == 0) $select_attr[0] = ORDER_BY; + else $select_attr[0] = ORDER_BY_DESC; + } else + if ($key == "size") { + if ($val == 0) $select_attr[4] = ORDER_BY; + else $select_attr[4] = ORDER_BY_DESC; + } else + if ($key == "owner") { + if ($val == 0) $select_attr[5] = ORDER_BY; + else $select_attr[5] = ORDER_BY_DESC; + } else + if ($key == "mtime") { + if ($val == 0) $select_attr[7] = ORDER_BY; + else $select_attr[7] = ORDER_BY_DESC; + } + } + } + + $cond = array(new RODSQueryCondition("COL_COLL_NAME", $dir)); + $continueInx = 0; + $que_result = $this->genQuery($select_val, $cond, + array(), $startingInx, $maxresults, true, + $select_attr, $continueInx, $total_num_rows); + + + if (false === $que_result) { + return array(); + } else { + $ret_val = array(); + for ($i = 0; $i < count($que_result['COL_D_DATA_ID']); $i++) { + $ret_val[] = new RODSFileStats( + $que_result['COL_DATA_NAME'][$i], + $que_result['COL_DATA_SIZE'][$i], + $que_result['COL_D_OWNER_NAME'][$i], + $que_result['COL_D_MODIFY_TIME'][$i], + $que_result['COL_D_CREATE_TIME'][$i], + $que_result['COL_D_DATA_ID'][$i], + $que_result['COL_DATA_TYPE_NAME'][$i], + $que_result['COL_D_RESC_NAME'][$i] + ); + } + return $ret_val; + } + } + + /** + * Get basic stats, of input dir path string + * @param string $dirpath input dir path string + * @return RODSDirStats. If dir does not exists, return fales. + */ + public function getDirStats($dirpath) + { + $cond = array(new RODSQueryCondition("COL_COLL_NAME", $dirpath)); + + $que_result = $this->genQuery( + array("COL_COLL_NAME", "COL_COLL_ID", "COL_COLL_OWNER_NAME", + "COL_COLL_OWNER_ZONE", "COL_COLL_CREATE_TIME", "COL_COLL_MODIFY_TIME", + "COL_COLL_COMMENTS"), + $cond, array(), 0, 1, false); + if ($que_result === false) return false; + + $stats = new RODSDirStats( + basename($que_result['COL_COLL_NAME'][0]), + $que_result['COL_COLL_OWNER_NAME'][0], + $que_result['COL_COLL_OWNER_ZONE'][0], + $que_result['COL_COLL_MODIFY_TIME'][0], + $que_result['COL_COLL_CREATE_TIME'][0], + $que_result['COL_COLL_ID'][0], + $que_result['COL_COLL_COMMENTS'][0] + ); + return $stats; + } + + /** + * Get basic stats, of input file path string + * @param string $filepath input file path string + * @return RODSFileStats. If file does not exists, return fales. + */ + public function getFileStats($filepath) + { + $parent = dirname($filepath); + $filename = basename($filepath); + + $cond = array(new RODSQueryCondition("COL_COLL_NAME", $parent), + new RODSQueryCondition("COL_DATA_NAME", $filename)); + + $que_result = $this->genQuery( + array("COL_DATA_NAME", "COL_D_DATA_ID", "COL_DATA_TYPE_NAME", + "COL_D_RESC_NAME", "COL_DATA_SIZE", "COL_D_OWNER_NAME", "COL_D_OWNER_ZONE", + "COL_D_CREATE_TIME", + "COL_D_MODIFY_TIME", "COL_D_COMMENTS"), + $cond, array(), 0, 1, false); + if ($que_result === false) return false; + + $stats = new RODSFileStats( + $que_result['COL_DATA_NAME'][0], + $que_result['COL_DATA_SIZE'][0], + $que_result['COL_D_OWNER_NAME'][0], + $que_result['COL_D_OWNER_ZONE'][0], + $que_result['COL_D_MODIFY_TIME'][0], + $que_result['COL_D_CREATE_TIME'][0], + $que_result['COL_D_DATA_ID'][0], + $que_result['COL_DATA_TYPE_NAME'][0], + $que_result['COL_D_RESC_NAME'][0], + $que_result['COL_D_COMMENTS'][0]); + return $stats; + } + + /** + * Check whether a directory (in string) exists on RODS server. + * @return true/false + */ + public function dirExists($dir) + { + $cond = array(new RODSQueryCondition("COL_COLL_NAME", $dir)); + $que_result = $this->genQuery(array("COL_COLL_ID"), $cond); + + if ($que_result === false) + return false; + else + return true; + } + + /** + * Check whether a file (in string) exists on RODS server. + * @return true/false + */ + public function fileExists($filepath, $rescname = NULL) + { + $parent = dirname($filepath); + $filename = basename($filepath); + if (empty($rescname)) { + $cond = array(new RODSQueryCondition("COL_COLL_NAME", $parent), + new RODSQueryCondition("COL_DATA_NAME", $filename)); + $que_result = $this->genQuery(array("COL_D_DATA_ID"), $cond); + } else { + $cond = array(new RODSQueryCondition("COL_COLL_NAME", $parent), + new RODSQueryCondition("COL_DATA_NAME", $filename), + new RODSQueryCondition("COL_D_RESC_NAME", $rescname)); + $que_result = $this->genQuery(array("COL_D_DATA_ID"), $cond); + } + + if ($que_result === false) + return false; + else + return true; + } + + /** + * Replicate file to resources with options. + * @param string $path_src full path for the source file + * @param string $desc_resc destination resource + * @param array $options an assosive array of options: + * - 'all' (boolean): only meaningful if input resource is a resource group. Replicate to all the resources in the resource group. + * - 'backupMode' (boolean): if a good copy already exists in this resource, don't make another copy. + * - 'admin' (boolean): admin user uses this option to backup/replicate other users files + * - 'replNum' (integer): the replica to copy, typically not needed + * - 'srcResc' (string): specifies the source resource of the data object to be replicate, only copies stored in this resource will be replicated. Otherwise, one of the copy will be replicated + * These options are all 'optional', if omitted, the server will try to do it anyway + * @return number of bytes written if success, in case of faliure, throw an exception + */ + public function repl($path_src, $desc_resc, array $options = array()) + { + require_once(dirname(__FILE__) . "/RODSObjIOOpr.inc.php"); + require_once(dirname(__FILE__) . "/RodsGenQueryKeyWd.inc.php"); + + $optype = REPLICATE_OPR; + + $opt_arr = array(); + $opt_arr[$GLOBALS['PRODS_GENQUE_KEYWD']['DEST_RESC_NAME_KW']] = $desc_resc; + foreach ($options as $option_key => $option_val) { + switch ($option_key) { + case 'all': + if ($option_val === true) + $opt_arr[$GLOBALS['PRODS_GENQUE_KEYWD']['ALL_KW']] = ''; + break; + + case 'admin': + if ($option_val === true) + $opt_arr[$GLOBALS['PRODS_GENQUE_KEYWD']['IRODS_ADMIN_KW']] = ''; + break; + + case 'replNum': + $opt_arr[$GLOBALS['PRODS_GENQUE_KEYWD']['REPL_NUM_KW']] = $option_val; + break; + + case 'backupMode': + if ($option_val === true) + $opt_arr[$GLOBALS['PRODS_GENQUE_KEYWD'] + ['BACKUP_RESC_NAME_KW']] = $desc_resc; + break; + + default: + throw new RODSException("Option '$option_key'=>'$option_val' is not supported", + 'PERR_USER_INPUT_ERROR'); + } + } + + $keyvalpair = new RP_KeyValPair(); + $keyvalpair->fromAssocArray($opt_arr); + + $inp_pk = new RP_DataObjInp($path_src, 0, 0, 0, 0, 0, $optype, $keyvalpair); + + $msg = new RODSMessage("RODS_API_REQ_T", $inp_pk, + $GLOBALS['PRODS_API_NUMS']['DATA_OBJ_REPL_AN']); + fwrite($this->conn, $msg->pack()); // send it + $msg = new RODSMessage(); + $intInfo = (int)$msg->unpack($this->conn); + if ($intInfo < 0) { + throw new RODSException("RODSConn::repl has got an error from the server", + $GLOBALS['PRODS_ERR_CODES_REV']["$intInfo"]); + } + + $retpk = $msg->getBody(); + return $retpk->bytesWritten; + } + + /** + * Rename path_src to path_dest. + * @param string $path_src + * @param string $path_dest + * @param integer $path_type if 0, then path type is file, if 1, then path type if directory + * @return true/false + */ + public function rename($path_src, $path_dest, $path_type) + { + require_once(dirname(__FILE__) . "/RODSObjIOOpr.inc.php"); + + if ($path_type === 0) { + $path_type_magic_num = RENAME_DATA_OBJ; + } else { + $path_type_magic_num = RENAME_COLL; + } + $src_pk = new RP_DataObjInp($path_src, 0, 0, 0, 0, 0, $path_type_magic_num); + $dest_pk = new RP_DataObjInp($path_dest, 0, 0, 0, 0, 0, $path_type_magic_num); + $inp_pk = new RP_DataObjCopyInp($src_pk, $dest_pk); + $msg = new RODSMessage("RODS_API_REQ_T", $inp_pk, + $GLOBALS['PRODS_API_NUMS']['DATA_OBJ_RENAME_AN']); + fwrite($this->conn, $msg->pack()); // send it + $msg = new RODSMessage(); + $intInfo = (int)$msg->unpack($this->conn); + if ($intInfo < 0) { + throw new RODSException("RODSConn::rename has got an error from the server", + $GLOBALS['PRODS_ERR_CODES_REV']["$intInfo"]); + } + } + + /** + * Open a file path (string) exists on RODS server. + * + * @param string $path file path + * @param string $mode open mode. Supported modes are: + * 'r' Open for reading only; place the file pointer at the beginning of the file. + * 'r+' Open for reading and writing; place the file pointer at the beginning of the file. + * 'w' Open for writing only; place the file pointer at the beginning of the file and truncate the file to zero length. If the file does not exist, attempt to create it. + * 'w+' Open for reading and writing; place the file pointer at the beginning of the file and truncate the file to zero length. If the file does not exist, attempt to create it. + * 'a' Open for writing only; place the file pointer at the end of the file. If the file does not exist, attempt to create it. + * 'a+' Open for reading and writing; place the file pointer at the end of the file. If the file does not exist, attempt to create it. + * 'x' Create and open for writing only; place the file pointer at the beginning of the file. If the file already exists, the fopen() call will fail by returning FALSE and generating an error of level E_WARNING. If the file does not exist, attempt to create it. This is equivalent to specifying O_EXCL|O_CREAT flags for the underlying open(2) system call. + * 'x+' Create and open for reading and writing; place the file pointer at the beginning of the file. If the file already exists, the fopen() call will fail by returning FALSE and generating an error of level E_WARNING. If the file does not exist, attempt to create it. This is equivalent to specifying O_EXCL|O_CREAT flags for the underlying open(2) system call. + * @param postion updated position + * @param string $rescname. Note that this parameter is required only if the file does not exists (create mode). If the file already exists, and if file resource is unknown or unique or you-dont-care for that file, leave the field, or pass NULL. + * @param boolean $assum_file_exists. This parameter specifies whether file exists. If the value is false, this mothod will check with RODS server to make sure. If value is true, the check will NOT be done. Default value is false. + * @param string $filetype. This parameter only make sense when you want to specify the file type, if file does not exists (create mode). If not specified, it defaults to "generic" + * @param integer $cmode. This parameter is only used for "createmode". It specifies the file mode on physical storage system (RODS vault), in octal 4 digit format. For instance, 0644 is owner readable/writeable, and nothing else. 0777 is all readable, writable, and excutable. If not specified, and the open flag requirs create mode, it defaults to 0644. + * @return integer level 1 descriptor + */ + public function openFileDesc($path, $mode, &$position, $rescname = NULL, + $assum_file_exists = false, $filetype = 'generic', $cmode = 0644) + { + $create_if_not_exists = false; + $error_if_exists = false; + $seek_to_end_of_file = false; + $position = 0; + + switch ($mode) { + case 'r': + $open_flag = O_RDONLY; + break; + case 'r+': + $open_flag = O_RDWR; + break; + case 'w': + $open_flag = O_WRONLY|O_TRUNC; + $create_if_not_exists = true; + break; + case 'w+': + $open_flag = O_RDWR|O_TRUNC; + $create_if_not_exists = true; + break; + case 'a': + $open_flag = O_WRONLY; + $create_if_not_exists = true; + $seek_to_end_of_file = true; + break; + case 'a+': + $open_flag = O_RDWR; + $create_if_not_exists = true; + $seek_to_end_of_file = true; + break; + case 'x': + $open_flag = O_WRONLY; + $create_if_not_exists = true; + $error_if_exists = true; + break; + case 'x+': + $open_flag = O_RDWR; + $create_if_not_exists = true; + $error_if_exists = true; + break; + default: + throw new RODSException("RODSConn::openFileDesc() does not recognize input mode:'$mode' ", + "PERR_USER_INPUT_ERROR"); + } + + if ($assum_file_exists === true) + $file_exists = true; + else + $file_exists = $this->fileExists($path, $rescname); + + if (($error_if_exists) && ($file_exists === true)) { + throw new RODSException("RODSConn::openFileDesc() expect file '$path' dose not exists with mode '$mode', but the file does exists", + "PERR_USER_INPUT_ERROR"); + } + + + if (($create_if_not_exists) && ($file_exists === false)) // create new file + { + $keyValPair_pk = new RP_KeyValPair(2, array("rescName", "dataType"), + array("$rescname", "$filetype")); + $dataObjInp_pk = new RP_DataObjInp($path, $cmode, $open_flag, 0, -1, 0, 0, + $keyValPair_pk); + $api_num = $GLOBALS['PRODS_API_NUMS']['DATA_OBJ_CREATE_AN']; + } else // open existing file + { + // open the file and get descriptor + if (isset($rescname)) { + $keyValPair_pk = new RP_KeyValPair(1, array("rescName"), + array("$rescname")); + $dataObjInp_pk = new RP_DataObjInp + ($path, 0, $open_flag, 0, -1, 0, 0, $keyValPair_pk); + } else { + $dataObjInp_pk = new RP_DataObjInp + ($path, 0, $open_flag, 0, -1, 0, 0); + } + $api_num = $GLOBALS['PRODS_API_NUMS']['DATA_OBJ_OPEN_AN']; + } + + $msg = new RODSMessage("RODS_API_REQ_T", $dataObjInp_pk, $api_num); + fwrite($this->conn, $msg->pack()); // send it + // get value back + $msg = new RODSMessage(); + $intInfo = (int)$msg->unpack($this->conn); + if ($intInfo < 0) { + if (RODSException::rodsErrCodeToAbbr($intInfo) == 'CAT_NO_ROWS_FOUND') { + throw new RODSException("trying to open a file '$path' " . + "which does not exists with mode '$mode' ", + "PERR_USER_INPUT_ERROR"); + } + throw new RODSException("RODSConn::openFileDesc has got an error from the server", + $GLOBALS['PRODS_ERR_CODES_REV']["$intInfo"]); + } + $l1desc = $intInfo; + + if ($seek_to_end_of_file === true) { + $position = $this->fileSeek($l1desc, 0, SEEK_END); + } + + return $l1desc; + } + + /** + * unlink the file on server + * @param string $path path of the file + * @param string $rescname resource name. Not required if there is no other replica. + * @param boolean $force flag (true or false) indicating whether force delete or not. + * + */ + public function fileUnlink($path, $rescname = NULL, $force = false) + { + $options = array(); + if (isset($rescname)) { + $options['rescName'] = $rescname; + } + if ($force == true) { + $options['forceFlag'] = ""; + } + + if (!empty($options)) { + $options_pk = new RP_KeyValPair(); + $options_pk->fromAssocArray($options); + $dataObjInp_pk = new RP_DataObjInp + ($path, 0, 0, 0, -1, 0, 0, $options_pk); + } else { + $dataObjInp_pk = new RP_DataObjInp + ($path, 0, 0, 0, -1, 0, 0); + } + + $msg = new RODSMessage("RODS_API_REQ_T", $dataObjInp_pk, + $GLOBALS['PRODS_API_NUMS']['DATA_OBJ_UNLINK_AN']); + fwrite($this->conn, $msg->pack()); // send it + // get value back + $msg = new RODSMessage(); + $intInfo = (int)$msg->unpack($this->conn); + if ($intInfo < 0) { + if (RODSException::rodsErrCodeToAbbr($intInfo) == 'CAT_NO_ROWS_FOUND') { + throw new RODSException("trying to unlink a file '$path' " . + "which does not exists", + "PERR_USER_INPUT_ERROR"); + } + throw new RODSException("RODSConn::fileUnlink has got an error from the server", + $GLOBALS['PRODS_ERR_CODES_REV']["$intInfo"]); + } + } + + /** + * close the input file descriptor on RODS server. + * + * @param int $l1desc level 1 file descriptor + */ + public function closeFileDesc($l1desc) + { + try { + $dataObjCloseInp_pk = new RP_dataObjCloseInp($l1desc); + $msg = new RODSMessage("RODS_API_REQ_T", $dataObjCloseInp_pk, + $GLOBALS['PRODS_API_NUMS']['DATA_OBJ_CLOSE_AN']); + fwrite($this->conn, $msg->pack()); // send it + // get value back + $msg = new RODSMessage(); + $intInfo = (int)$msg->unpack($this->conn); + if ($intInfo < 0) { + trigger_error("Got an error from server:$intInfo", + E_USER_WARNING); + } + } catch (RODSException $e) { + trigger_error("Got an exception:$e", E_USER_WARNING); + } + } + + /** + * reads up to length bytes from the file pointer referenced by handle. Reading stops when up to length bytes have been read, EOF (end of file) is reached + * + * @param int $l1desc level 1 file descriptor + * @param int $length up to how many bytes to read. + * @return the read string. + */ + public function fileRead($l1desc, $length) + { + $dataObjReadInp_pk = new RP_dataObjReadInp($l1desc, $length); + $msg = new RODSMessage("RODS_API_REQ_T", $dataObjReadInp_pk, + $GLOBALS['PRODS_API_NUMS']['DATA_OBJ_READ_AN']); + fwrite($this->conn, $msg->pack()); // send it + $msg = new RODSMessage(); + $intInfo = (int)$msg->unpack($this->conn); + if ($intInfo < 0) { + throw new RODSException("RODSConn::fileRead has got an error from the server", + $GLOBALS['PRODS_ERR_CODES_REV']["$intInfo"]); + } + return $msg->getBinstr(); + } + + /** + * writes up to length bytes from the file pointer referenced by handle. returns number of bytes writtne. + * + * @param int $l1desc level 1 file descriptor + * @param string $string contents (binary safe) to be written + * @param int $length up to how many bytes to read. + * @return the number of bytes written. + */ + public function fileWrite($l1desc, $string, $length = NULL) + { + if (!isset($length)) + $length = strlen($string); + + $dataObjWriteInp_pk = new RP_dataObjWriteInp($l1desc, $length); + $msg = new RODSMessage("RODS_API_REQ_T", $dataObjWriteInp_pk, + $GLOBALS['PRODS_API_NUMS']['DATA_OBJ_WRITE_AN'], $string); + fwrite($this->conn, $msg->pack()); // send header and body msg + fwrite($this->conn, $string); // send contents + $msg = new RODSMessage(); + $intInfo = (int)$msg->unpack($this->conn); + if ($intInfo < 0) { + throw new RODSException("RODSConn::fileWrite has got an error from the server", + $GLOBALS['PRODS_ERR_CODES_REV']["$intInfo"]); + } + return $intInfo; + } + + /** + * Sets the file position indicator for the file referenced by l1desc (int descriptor). The new position, measured in bytes from the beginning of the file, is obtained by adding offset to the position specified by whence, whose values are defined as follows: + * SEEK_SET - Set position equal to offset bytes. + * SEEK_CUR - Set position to current location plus offset. + * SEEK_END - Set position to end-of-file plus offset. (To move to a position before the end-of-file, you need to pass a negative value in offset.) + * If whence is not specified, it is assumed to be SEEK_SET. + * @return int the current offset + */ + public function fileSeek($l1desc, $offset, $whence = SEEK_SET) + { + $dataObjReadInp_pk = new RP_fileLseekInp($l1desc, $offset, $whence); + $msg = new RODSMessage("RODS_API_REQ_T", $dataObjReadInp_pk, + $GLOBALS['PRODS_API_NUMS']['DATA_OBJ_LSEEK_AN']); + fwrite($this->conn, $msg->pack()); // send it + $msg = new RODSMessage(); + $intInfo = (int)$msg->unpack($this->conn); + if ($intInfo < 0) { + throw new RODSException("RODSConn::fileSeek has got an error from the server", + $GLOBALS['PRODS_ERR_CODES_REV']["$intInfo"]); + } + $retpk = $msg->getBody(); + return $retpk->offset; + } + + /** + * Get metadata for a file, dir, resource or user + * @param char $pathtype 'd'=file, 'c'=dir, 'r'=resource, 'u'=user + * @param string $name name of the target object. in the case of file and dir, use its full path + * @return RODSMeta $meta meta data for the target. + */ + public function getMeta($pathtype, $name) + { + switch ($pathtype) { + case 'd': + $select = array("COL_META_DATA_ATTR_NAME", "COL_META_DATA_ATTR_VALUE", + "COL_META_DATA_ATTR_UNITS", 'COL_META_DATA_ATTR_ID'); + $condition = array( + new RODSQueryCondition("COL_COLL_NAME", dirname($name)), + new RODSQueryCondition("COL_DATA_NAME", basename($name)) + ); + break; + case 'c': + $select = array("COL_META_COLL_ATTR_NAME", "COL_META_COLL_ATTR_VALUE", + "COL_META_COLL_ATTR_UNITS", 'COL_META_COLL_ATTR_ID'); + $condition = array(new RODSQueryCondition("COL_COLL_NAME", $name)); + break; + case 'r': + $select = array("COL_META_RESC_ATTR_NAME", "COL_META_RESC_ATTR_VALUE", + "COL_META_RESC_ATTR_UNITS", 'COL_META_RESC_ATTR_ID'); + $condition = array(new RODSQueryCondition("COL_R_RESC_NAME", $name)); + break; + case 'u': + $select = array("COL_META_USER_ATTR_NAME", "COL_META_USER_ATTR_VALUE", + "COL_META_USER_ATTR_UNITS", 'COL_META_USER_ATTR_ID'); + $condition = array(new RODSQueryCondition("COL_USER_NAME", $name)); + break; + default: + throw new RODSException("RODSConn::getMeta pathtype '$pathtype' is not supported!", + 'PERR_USER_INPUT_ERROR'); + } + + $genque_result = $this->genQuery($select, $condition); + + if ($genque_result === false) { + return array(); + } + $ret_array = array(); + for ($i = 0; $i < count($genque_result[$select[0]]); $i++) { + $ret_array[$i] = new RODSMeta( + $genque_result[$select[0]][$i], + $genque_result[$select[1]][$i], + $genque_result[$select[2]][$i], + $genque_result[$select[3]][$i] + ); + + } + return $ret_array; + + } + + /** + * Add metadata to a file, dir, resource or user + * @param char $pathtype 'd'=file, 'c'=dir, 'r'=resource, 'u'=user + * @param string $name name of the target object. in the case of file and dir, use its full path + * @param RODSMeta $meta meta data to be added. + */ + public function addMeta($pathtype, $name, RODSMeta $meta) + { + $pkt = new RP_ModAVUMetadataInp("add", "-$pathtype", $name, $meta->name, + $meta->value, $meta->units); + $msg = new RODSMessage("RODS_API_REQ_T", $pkt, + $GLOBALS['PRODS_API_NUMS']['MOD_AVU_METADATA_AN']); + fwrite($this->conn, $msg->pack()); // send it + $msg = new RODSMessage(); + $intInfo = (int)$msg->unpack($this->conn); + if ($intInfo < 0) { + throw new RODSException("RODSConn::addMeta has got an error from the server", + $GLOBALS['PRODS_ERR_CODES_REV']["$intInfo"]); + } + } + + /** + * remove metadata to a file, dir, resource or user + * @param char $pathtype 'd'=file, 'c'=dir, 'r'=resource, 'u'=user + * @param string $name name of the target object. in the case of file and dir, use its full path + * @param RODSMeta $meta meta data to be removed. + */ + public function rmMeta($pathtype, $name, RODSMeta $meta) + { + $pkt = new RP_ModAVUMetadataInp("rm", "-$pathtype", $name, $meta->name, + $meta->value, $meta->units); + $msg = new RODSMessage("RODS_API_REQ_T", $pkt, + $GLOBALS['PRODS_API_NUMS']['MOD_AVU_METADATA_AN']); + fwrite($this->conn, $msg->pack()); // send it + $msg = new RODSMessage(); + $intInfo = (int)$msg->unpack($this->conn); + if ($intInfo < 0) { + throw new RODSException("RODSConn::rmMeta has got an error from the server", + $GLOBALS['PRODS_ERR_CODES_REV']["$intInfo"]); + } + } + + /** + * remove metadata to a file, dir, resource or user + * @param char $pathtype 'd'=file, 'c'=dir, 'r'=resource, 'u'=user + * @param string $name name of the target object. in the case of file and dir, use its full path + * @param integer $metaid id of the metadata to be removed. + */ + public function rmMetaByID($pathtype, $name, $metaid) + { + $pkt = new RP_ModAVUMetadataInp("rmi", "-$pathtype", $name, $metaid); + $msg = new RODSMessage("RODS_API_REQ_T", $pkt, + $GLOBALS['PRODS_API_NUMS']['MOD_AVU_METADATA_AN']); + fwrite($this->conn, $msg->pack()); // send it + $msg = new RODSMessage(); + $intInfo = (int)$msg->unpack($this->conn); + if ($intInfo < 0) { + if (RODSException::rodsErrCodeToAbbr($intInfo) != 'CAT_SUCCESS_BUT_WITH_NO_INFO') { + throw new RODSException("RODSConn::rmMetaByID has got an error from the server", + $GLOBALS['PRODS_ERR_CODES_REV']["$intInfo"]); + } + } + } + + /** + * copy metadata between file, dir, resource or user + * @param char $pathtype_src source path type 'd'=file, 'c'=dir, 'r'=resource, 'u'=user + * @param char $pathtype_dest destination path type 'd'=file, 'c'=dir, 'r'=resource, 'u'=user + * @param string $name_src name of the source target object. in the case of file and dir, use its full path + * @param string $name_dest name of the destination target object. in the case of file and dir, use its full path + */ + public function cpMeta($pathtype_src, $pathtype_dest, $name_src, $name_dest) + { + $pkt = new RP_ModAVUMetadataInp("cp", "-$pathtype_src", + "-$pathtype_dest", $name_src, $name_dest); + $msg = new RODSMessage("RODS_API_REQ_T", $pkt, + $GLOBALS['PRODS_API_NUMS']['MOD_AVU_METADATA_AN']); + fwrite($this->conn, $msg->pack()); // send it + $msg = new RODSMessage(); + $intInfo = (int)$msg->unpack($this->conn); + if ($intInfo < 0) { + throw new RODSException("RODSConn::cpMeta has got an error from the server", + $GLOBALS['PRODS_ERR_CODES_REV']["$intInfo"]); + } + } + + /** + * Excute a user defined rule + * @param string $rule_body body of the rule. Read this tutorial for details about rules: http://www.irods.org/index.php/Executing_user_defined_rules/workflow + * @param array $inp_params associative array defining input parameter for micro services used in this rule. only string and keyval pair are supported at this time. If the array value is a string, then type is string, if the array value is an RODSKeyValPair object, it will be treated a keyval pair + * @param array $out_params an array of names (strings) + * @param array $remotesvr if this rule need to run at remote server, this associative array should have the following keys: + * - 'host' remote host name or address + * - 'port' remote port + * - 'zone' remote zone + * if any of the value is empty, this option will be ignored. + * @param RODSKeyValPair $options an RODSKeyValPair specifying additional options, purpose of this is unknown at the developement time. Leave it alone if you are as clueless as me... + * @return an associative array. Each array key is the lable, and each array value's type will depend on the type of $out_param, at this moment, only string and RODSKeyValPair are supported + */ + public function execUserRule($rule_body, + array $inp_params = array(), array $out_params = array(), + array $remotesvr = array(), RODSKeyValPair $options = null) + { + $inp_params_packets = array(); + foreach ($inp_params as $inp_param_key => $inp_param_val) { + if (is_a($inp_param_val, 'RODSKeyValPair')) { + $inp_params_packets[] = new RP_MsParam($inp_param_key, + $inp_param_val->makePacket()); + } else // a string + { + $inp_params_packets[] = new RP_MsParam($inp_param_key, + new RP_STR($inp_param_val)); + } + } + $inp_param_arr_packet = new RP_MsParamArray($inp_params_packets); + + $out_params_desc = implode('%', $out_params); + + if ((isset($remotesvr['host'])) && (isset($remotesvr['port'])) && + (isset($remotesvr['zone'])) + ) { + $remotesvr_packet = new RP_RHostAddr($remotesvr['host'], + $remotesvr['zone'], $remotesvr['port']); + } else { + $remotesvr_packet = new RP_RHostAddr(); + } + + if (!isset($options)) + $options = new RODSKeyValPair(); + + $options_packet = $options->makePacket(); + + $pkt = new RP_ExecMyRuleInp($rule_body, $remotesvr_packet, + $options_packet, $out_params_desc, $inp_param_arr_packet); + $msg = new RODSMessage("RODS_API_REQ_T", $pkt, + $GLOBALS['PRODS_API_NUMS']['EXEC_MY_RULE_AN']); + fwrite($this->conn, $msg->pack()); // send it + $resv_msg = new RODSMessage(); + $intInfo = (int)$resv_msg->unpack($this->conn); + if ($intInfo < 0) { + throw new RODSException("RODSConn::execUserRule has got an error from the server", + $GLOBALS['PRODS_ERR_CODES_REV']["$intInfo"]); + } + $retpk = $resv_msg->getBody(); + $param_array = $retpk->MsParam_PI; + $ret_arr = array(); + foreach ($param_array as $param) { + if ($param->type == 'STR_PI') { + $label = $param->label; + $ret_arr["$label"] = $param->STR_PI->myStr; + } else + if ($param->type == 'KeyValPair_PI') { + $label = $param->label; + $ret_arr["$label"] = RODSKeyValPair::fromPacket($param->KeyValPair_PI); + } else + if ($param->type == 'ExecCmdOut_PI') { + $label = $param->label; + $exec_ret_val = $param->ExecCmdOut_PI->buf; + $ret_arr["$label"] = $exec_ret_val; + } else { + throw new RODSException("RODSConn::execUserRule got. " . + "an unexpected output param with type: '$param->type' \n", + "PERR_UNEXPECTED_PACKET_FORMAT"); + } + } + return $ret_arr; + } + + /** + * This function is depreciated, and kept only for lagacy reasons! + * Makes a general query to RODS server. Think it as an SQL. "select foo from sometab where bar = '3'". In this example, foo is specified by "$select", bar and "= '3'" are speficed by condition. + * @param array $select the fields (names) to be returned/interested. There can not be more than 50 input fields. For example:"COL_COLL_NAME" means collection-name. + * @param array $condition Array of RODSQueryCondition. All fields are defined in RodsGenQueryNum.inc.php + * @param array $condition_kw Array of RODSQueryCondition. All fields are defined in RodsGenQueryKeyWd.inc.php + * @param integer $startingInx result start from which row. + * @param integer $maxresult up to how man rows should the result contain. + * @param boolean $getallrows whether to retreive all results + * @param boolean $select_attr attributes (array of int) of each select value. For instance, the attribute can be ORDER_BY (0x400) or ORDER_BY_DESC (0x800) to have the results sorted on the server. The default value is 1 for each attribute. Pass empty array or leave the option if you don't want anything fancy. + * @param integer $continueInx This index can be used to retrieve rest of results, when there is a overflow of the rows (> 500) + * @return an associated array, keys are the returning field names, each value is an array of the field values. Also, it returns false (boolean), if no rows are found. + * Note: This function is very low level. It's not recommended for beginners. + */ + public function genQuery(array $select, array $condition = array(), + array $condition_kw = array(), $startingInx = 0, $maxresults = 500, + $getallrows = true, array $select_attr = array(), &$continueInx = 0, + &$total_num_rows = -1) + { + if (count($select) > 50) { + trigger_error("genQuery(): Only upto 50 input are supported, rest ignored", + E_USER_WARNING); + $select = array_slice($select, 0, 50); + } + + $GenQueInp_options = 0; + if ($total_num_rows != -1) { + $GenQueInp_options = 1; + } + + require_once("RodsGenQueryNum.inc.php"); //load magic numbers + require_once("RodsGenQueryKeyWd.inc.php"); //load magic numbers + + // contruct select packet (RP_InxIvalPair $selectInp) + $select_pk = NULL; + if (count($select) > 0) { + if (empty($select_attr)) + $select_attr = array_fill(0, count($select), 1); + $idx = array(); + foreach ($select as $selval) { + if (isset($GLOBALS['PRODS_GENQUE_NUMS']["$selval"])) + $idx[] = $GLOBALS['PRODS_GENQUE_NUMS']["$selval"]; + else + trigger_error("genQuery(): select val '$selval' is not support, ignored", + E_USER_WARNING); + } + + $select_pk = new RP_InxIvalPair(count($select), $idx, $select_attr); + } else { + $select_pk = new RP_InxIvalPair(); + } + + foreach ($condition_kw as &$cond_kw) { + if (isset($GLOBALS['PRODS_GENQUE_KEYWD'][$cond_kw->name])) + $cond_kw->name = $GLOBALS['PRODS_GENQUE_KEYWD'][$cond_kw->name]; + } + + foreach ($condition as &$cond) { + if (isset($GLOBALS['PRODS_GENQUE_NUMS'][$cond->name])) + $cond->name = $GLOBALS['PRODS_GENQUE_NUMS'][$cond->name]; + } + + $condInput = new RP_KeyValPair(); + $condInput->fromRODSQueryConditionArray($condition_kw); + + $sqlCondInp = new RP_InxValPair(); + $sqlCondInp->fromRODSQueryConditionArray($condition); + + // construct RP_GenQueryInp packet + $genque_input_pk = new RP_GenQueryInp($maxresults, $continueInx, $condInput, + $select_pk, $sqlCondInp, $GenQueInp_options, $startingInx); + + // contruce a new API request message, with type GEN_QUERY_AN + $msg = new RODSMessage("RODS_API_REQ_T", $genque_input_pk, + $GLOBALS['PRODS_API_NUMS']['GEN_QUERY_AN']); + fwrite($this->conn, $msg->pack()); // send it + // get value back + $msg_resv = new RODSMessage(); + $intInfo = $msg_resv->unpack($this->conn); + if ($intInfo < 0) { + if (RODSException::rodsErrCodeToAbbr($intInfo) == 'CAT_NO_ROWS_FOUND') { + return false; + } + + throw new RODSException("RODSConn::genQuery has got an error from the server", + $GLOBALS['PRODS_ERR_CODES_REV']["$intInfo"]); + } + $genque_result_pk = $msg_resv->getBody(); + + $result_arr = array(); + for ($i = 0; $i < $genque_result_pk->attriCnt; $i++) { + $sql_res_pk = $genque_result_pk->SqlResult_PI[$i]; + $attri_name = $GLOBALS['PRODS_GENQUE_NUMS_REV'][$sql_res_pk->attriInx]; + $result_arr["$attri_name"] = $sql_res_pk->value; + } + if ($total_num_rows != -1) + $total_num_rows = $genque_result_pk->totalRowCount; + + + $more_results = true; + // if there are more results to be fetched + while (($genque_result_pk->continueInx > 0) && ($more_results === true) + && ($getallrows === true)) { + $msg->getBody()->continueInx = $genque_result_pk->continueInx; + fwrite($this->conn, $msg->pack()); // re-send it with new continueInx + // get value back + $msg_resv = new RODSMessage(); + $intInfo = $msg_resv->unpack($this->conn); + if ($intInfo < 0) { + if (RODSException::rodsErrCodeToAbbr($intInfo) == 'CAT_NO_ROWS_FOUND') { + $more_results = false; + break; + } else + throw new RODSException("RODSConn::genQuery has got an error from the server", + $GLOBALS['PRODS_ERR_CODES_REV']["$intInfo"]); + } + $genque_result_pk = $msg_resv->getBody(); + + for ($i = 0; $i < $genque_result_pk->attriCnt; $i++) { + $sql_res_pk = $genque_result_pk->SqlResult_PI[$i]; + $attri_name = $GLOBALS['PRODS_GENQUE_NUMS_REV'][$sql_res_pk->attriInx]; + $result_arr["$attri_name"] = + array_merge($result_arr["$attri_name"], $sql_res_pk->value); + } + } + + // Make sure and close the query if there are any results left. + if ($genque_result_pk->continueInx > 0) + { + $msg->getBody()->continueInx=$genque_result_pk->continueInx; + $msg->getBody()->maxRows=-1; // tells the server to close the query + fwrite($this->conn, $msg->pack()); + $msg_resv=new RODSMessage(); + $intInfo=$msg_resv->unpack($this->conn); + if ($intInfo<0) + { + throw new RODSException("RODSConn::genQuery has got an error from the server", + $GLOBALS['PRODS_ERR_CODES_REV']["$intInfo"]); + } + } + + return $result_arr; + } + + /** + * Makes a general query to RODS server. Think it as an SQL. "select foo from sometab where bar = '3'". In this example, foo is specified by "$select", bar and "= '3'" are speficed by condition. + * @param RODSGenQueSelFlds $select the fields (names) to be returned/interested. There can not be more than 50 input fields. For example:"COL_COLL_NAME" means collection-name. + * @param RODSGenQueConds $condition All fields are defined in RodsGenQueryNum.inc.php and RodsGenQueryKeyWd.inc.php + * @param integer $start result start from which row. + * @param integer $limit up to how many rows should the result contain. If -1 is passed, all available rows will be returned + * @return RODSGenQueResults + * Note: This function is very low level. It's not recommended for beginners. + */ + public function query(RODSGenQueSelFlds $select, RODSGenQueConds $condition, + $start = 0, $limit = -1) + { + if (($select->getCount() < 1) || ($select->getCount() > 50)) { + throw new RODSException("Only 1-50 fields are supported", + 'PERR_USER_INPUT_ERROR'); + } + + // contruct select packet (RP_InxIvalPair $selectInp), and condition packets + $select_pk = $select->packetize(); + $cond_pk = $condition->packetize(); + $condkw_pk = $condition->packetizeKW(); + + // determin max number of results per query + if (($limit > 0) && ($limit < 500)) + $max_result_per_query = $limit; + else + $max_result_per_query = 500; + + $num_fetched_rows = 0; + $continueInx = 0; + $results = new RODSGenQueResults(); + do { + // construct RP_GenQueryInp packet + $options = 1 | $GLOBALS['PRODS_GENQUE_NUMS']['RETURN_TOTAL_ROW_COUNT']; + $genque_input_pk = new RP_GenQueryInp($max_result_per_query, + $continueInx, $condkw_pk, $select_pk, $cond_pk, $options, $start); + + // contruce a new API request message, with type GEN_QUERY_AN + $msg = new RODSMessage("RODS_API_REQ_T", $genque_input_pk, + $GLOBALS['PRODS_API_NUMS']['GEN_QUERY_AN']); + fwrite($this->conn, $msg->pack()); // send it + // get value back + $msg_resv = new RODSMessage(); + $intInfo = $msg_resv->unpack($this->conn); + if ($intInfo < 0) { + if (RODSException::rodsErrCodeToAbbr($intInfo) == 'CAT_NO_ROWS_FOUND') { + break; + } + + throw new RODSException("RODSConn::query has got an error from the server", + $GLOBALS['PRODS_ERR_CODES_REV']["$intInfo"]); + } + $genque_result_pk = $msg_resv->getBody(); + $num_row_added = $results->addResults($genque_result_pk); + $continueInx = $genque_result_pk->continueInx; + $start = $start + $results->getNumRow(); + } while (($continueInx > 0) && + (($results->getNumRow() < $limit) || ($limit < 0))); + + + // Make sure and close the query if there are any results left. + if ($continueInx > 0) + { + $msg->getBody()->continueInx=$continueInx; + $msg->getBody()->maxRows=-1; // tells the server to close the query + fwrite($this->conn, $msg->pack()); + $msg_resv=new RODSMessage(); + $intInfo=$msg_resv->unpack($this->conn); + if ($intInfo<0) + { + throw new RODSException("RODSConn::query has got an error from the server", + $GLOBALS['PRODS_ERR_CODES_REV']["$intInfo"]); + } + } + + return $results; + } +} + +?> diff --git a/apps/files_external/3rdparty/irodsphp/prods/src/RODSConnManager.class.php b/apps/files_external/3rdparty/irodsphp/prods/src/RODSConnManager.class.php new file mode 100644 index 0000000000..830e01bde8 --- /dev/null +++ b/apps/files_external/3rdparty/irodsphp/prods/src/RODSConnManager.class.php @@ -0,0 +1,81 @@ +waiting_queue = array(); + $this->conn_map = array(); + } + + public static function getConn(RODSAccount $account) + { + $manager = $GLOBALS['RODSConnManager']; + + $conn = new RODSConn($account); + $conn_sig = $conn->getSignature(); + if (!isset($manager->conn_map[$conn_sig])) + $manager->conn_map[$conn_sig] = array(); + + //check if there is any opened connection idle + foreach ($manager->conn_map[$conn_sig] as &$opened_conn) { + if ($opened_conn->isIdle()) { + //$opened_conn->lock(); + $account = $opened_conn->getAccount(); //update account if needed... + return $opened_conn; + } + } + + //check if there is any more new connection allowed + if (count($manager->conn_map[$conn_sig]) < MAX_NUM_CONN_PER_USER_SERVER) { + $conn->connect(); + $id = count($manager->conn_map[$conn_sig]); + $manager->conn_map[$conn_sig][$id] = $conn; + $conn->setId($id); + //$conn->lock(); + $account = $conn->getAccount(); //update account if needed... + return $conn; + } + + //because PHP doesn't support multithread, if we run out of connections, + //there is probably something went wrong. + throw new RODSException("Unexpectedly ran out of connections. Maybe some connections are not released??? ", + "PERR_INTERNAL_ERR"); + + //if no connection are available, sleep for 100ms and retry + usleep(100); + echo "i am sleeping...
\n"; + return RODSConnManager::getConn($account); + } + + public static function releaseConn(RODSConn $conn) + { + $manager = $GLOBALS['RODSConnManager']; + $conn_sig = $conn->getSignature(); + + //echo "id:".$conn->getId()." ".implode(",",array_keys($manager->conn_map[$conn_sig]))."
\n"; + + if (isset($manager->conn_map[$conn_sig][$conn->getId()])) { + $manager->conn_map[$conn_sig][$conn->getId()]->unlock(); + } + } +} + +?> \ No newline at end of file diff --git a/apps/files_external/3rdparty/irodsphp/prods/src/RODSDirStats.class.php b/apps/files_external/3rdparty/irodsphp/prods/src/RODSDirStats.class.php new file mode 100644 index 0000000000..16d24584f4 --- /dev/null +++ b/apps/files_external/3rdparty/irodsphp/prods/src/RODSDirStats.class.php @@ -0,0 +1,25 @@ +name = $name; + $this->owner = $owner; + $this->ownerzone = $ownerzone; + $this->mtime = $mtime; + $this->ctime = $ctime; + $this->id = $id; + $this->comments = $comments; + } + +} + \ No newline at end of file diff --git a/apps/files_external/3rdparty/irodsphp/prods/src/RODSException.class.php b/apps/files_external/3rdparty/irodsphp/prods/src/RODSException.class.php new file mode 100644 index 0000000000..52eb95bbfb --- /dev/null +++ b/apps/files_external/3rdparty/irodsphp/prods/src/RODSException.class.php @@ -0,0 +1,184 @@ + + * @copyright Copyright © 2007, TBD + * @package Prods + */ + +$errtable_file = dirname(__FILE__) . "/RodsErrorTable.inc.php"; + +if (is_readable($errtable_file)) + require_once($errtable_file); +else + die("Could not read file $errtable_file
\n"); + +/** + * custom exception class for RODS + */ +class RODSException extends Exception +{ + private $code_abbr; + private $cause; + + /** + * Makes a new RODS excption + * @param string $message err/exception message + * @param string $code_abbr error code abbreviation + */ + public function __construct($message, $code_abbr = "UNKNOWN_PRODS_ERR", + Exception $cause = NULL) + { + $this->code_abbr = $code_abbr; + $this->cause = $cause; + + parent::__construct($message, $GLOBALS['PRODS_ERR_CODES'][$code_abbr]); + } + + public function getCause() + { + return $this->cause; + } + + public function getCodeAbbr() + { + return $this->code_abbr; + } + + public static function rodsErrCodeToAbbr($code) + { + if (isset($GLOBALS['PRODS_ERR_CODES_REV']["$code"])) + return $GLOBALS['PRODS_ERR_CODES_REV']["$code"]; + else + return null; + } + + public static function rodsErrAbbrToCode($codeabbr) + { + if (isset($GLOBALS['PRODS_ERR_CODES']["$codeabbr"])) + return $GLOBALS['PRODS_ERR_CODES']["$codeabbr"]; + else + return null; + } + + public function getStackTrace() + { + if ($this->cause !== null) { + $arr = array(); + $trace = $this->getTrace(); + array_push($arr, $trace[0]); + unset($trace); + if (get_class($this->cause) == "RODSException") { + foreach ($this->cause->getStackTrace() as $key => $trace) { + array_push($arr, $trace); + } + } else { + foreach ($this->cause->getTrace() as $key => $trace) { + array_push($arr, $trace); + } + } + return $arr; + } else { + return $this->getTrace(); + } + } + + public function showStackTrace() + { + $htmldoc = "

An exception was thrown :
"; + $htmldoc .= "Exception code : $this->code
"; + $htmldoc .= "Exception abbr : $this->code_abbr
"; + $htmldoc .= "Exception message : $this->message
"; + $htmldoc .= ""; + $i = 0; + foreach ($this->getStackTrace() as $key => $trace) { + $htmldoc .= $this->showTrace($trace, $i); + $i++; + } + $htmldoc .= "#$i {main}
"; + unset($i); + $htmldoc .= "

"; + return $htmldoc; + } + + private function showTrace($_trace, $_i) + { + $htmldoc = "#$_i "; + if (array_key_exists("file", $_trace)) { + $htmldoc .= $_trace["file"]; + } + if (array_key_exists("line", $_trace)) { + $htmldoc .= "(" . $_trace["line"] . "): "; + } + if (array_key_exists("class", $_trace) && array_key_exists("type", $_trace)) { + $htmldoc .= $_trace["class"] . $_trace["type"]; + } + if (array_key_exists("function", $_trace)) { + $htmldoc .= $_trace["function"] . "("; + if (array_key_exists("args", $_trace)) { + if (count($_trace["args"]) > 0) { + $args = $_trace["args"]; + $type = gettype($args[0]); + $value = $args[0]; + unset($args); + if ($type == "boolean") { + if ($value) { + $htmldoc .= "true"; + } else { + $htmldoc .= "false"; + } + } elseif ($type == "integer" || $type == "double") { + if (settype($value, "string")) { + if (strlen($value) <= 20) { + $htmldoc .= $value; + } else { + $htmldoc .= substr($value, 0, 17) . "..."; + } + } else { + if ($type == "integer") { + $htmldoc .= "? integer ?"; + } else { + $htmldoc .= "? double or float ?"; + } + } + } elseif ($type == "string") { + if (strlen($value) <= 18) { + $htmldoc .= "'$value'"; + } else { + $htmldoc .= "'" . substr($value, 0, 15) . "...'"; + } + } elseif ($type == "array") { + $htmldoc .= "Array"; + } elseif ($type == "object") { + $htmldoc .= "Object"; + } elseif ($type == "resource") { + $htmldoc .= "Resource"; + } elseif ($type == "NULL") { + $htmldoc .= "null"; + } elseif ($type == "unknown type") { + $htmldoc .= "? unknown type ?"; + } + unset($type); + unset($value); + } + if (count($_trace["args"]) > 1) { + $htmldoc .= ",..."; + } + } + $htmldoc .= ")
"; + } + return $htmldoc; + } + + /** + * Magic function to turn exception obj to a string + */ + public function __toString() + { + return __CLASS__ . ": [{$this->code} $this->code_abbr]: {$this->message}\n"; + //return $this->showStackTrace(); + } + +} + +?> diff --git a/apps/files_external/3rdparty/irodsphp/prods/src/RODSFileStats.class.php b/apps/files_external/3rdparty/irodsphp/prods/src/RODSFileStats.class.php new file mode 100644 index 0000000000..6452c2b1e5 --- /dev/null +++ b/apps/files_external/3rdparty/irodsphp/prods/src/RODSFileStats.class.php @@ -0,0 +1,34 @@ +name = $name; + $this->size = $size; + $this->owner = $owner; + $this->ownerzone = $ownerzone; + $this->mtime = $mtime; + $this->ctime = $ctime; + $this->id = $id; + $this->typename = $typename; + $this->rescname = $rescname; + $this->comments = $comments; + $this->num_replica = $num_replica; + } + +} + \ No newline at end of file diff --git a/apps/files_external/3rdparty/irodsphp/prods/src/RODSGenQueConds.class.php b/apps/files_external/3rdparty/irodsphp/prods/src/RODSGenQueConds.class.php new file mode 100644 index 0000000000..848f29e85e --- /dev/null +++ b/apps/files_external/3rdparty/irodsphp/prods/src/RODSGenQueConds.class.php @@ -0,0 +1,114 @@ +=' and val='0', then the triplex means + * "foo >= 0" as one iRODS general query condition. + * @param array (of string) $names names of the field, which must be one defined in file 'RodsGenQueryNum.inc.php'. + * @param array (of string) $ops logical operator, such as '=' 'like' '>' + * @param array (of string) $vals value of the filed + */ + public function __construct(array $names = array(), array $ops = array(), + array $vals = array()) + { + require_once("RodsGenQueryNum.inc.php"); //load magic numbers + require_once("RodsGenQueryKeyWd.inc.php"); //load magic keywords + + $this->cond = array('names' => array(), 'sysnames' => array(), 'values' => array()); + $this->cond_kw = array('names' => array(), 'sysnames' => array(), 'values' => array()); + + for ($i = 0; $i < count($names); $i++) { + $name = $names[$i]; + $op = $ops[$i]; + $val = $vals[$i]; + if (isset($GLOBALS['PRODS_GENQUE_NUMS']["$name"])) { + $this->cond['names'][] = $name; + $this->cond['sysnames'][] = $GLOBALS['PRODS_GENQUE_NUMS']["$name"]; + $this->cond['values'][] = "$op '$val'"; + } else + if (isset($GLOBALS['PRODS_GENQUE_KEYWD']["$name"])) { + $this->cond_kw['names'][] = $name; + $this->cond_kw['sysnames'][] = $GLOBALS['PRODS_GENQUE_KEYWD']["$name"]; + $this->cond_kw['values'][] = "$op '$val'"; + } else { + throw new RODSException("General Query condition field name '$name' is not valid", + 'PERR_USER_INPUT_ERROR'); + } + } + } + + /** + * Add a single select field. + * @param string $name names of the field, which must be one defined in file 'RodsGenQueryNum.inc.php'. + * @param string $op logical operator, such as '=' 'like' '>' + * @param string $val value of the filed + * @param array an array of tuples of extra op's and val's, each tuple is an assosive array that has key 'op' and 'val'. These conditions will be 'OR' with the other conditions. + * for example add ('COL_D_DATA_ID','like', '/tempZone/home/rods/%', array(array('op'=>'=','val'=>'/tempZone/home/rods'"))) + * would select all file ids both in subdirectories under '/tempZone/home/rods' and directly under '/tempZone/home/rods' + */ + public function add($name, $op, $val, array $OR_ops_vals = array()) + { + require_once("RodsGenQueryNum.inc.php"); //load magic numbers + require_once("RodsGenQueryKeyWd.inc.php"); //load magic keywords + + if (isset($GLOBALS['PRODS_GENQUE_NUMS']["$name"])) { + $this->cond['names'][] = $name; + $this->cond['sysnames'][] = $GLOBALS['PRODS_GENQUE_NUMS']["$name"]; + $value = "$op '$val'"; + foreach ($OR_ops_vals as $op_val) { + $or_op = $op_val['op']; + $or_val = $op_val['val']; + if (empty($or_op) || empty($or_val)) + continue; + $value = $value . " || $or_op '$or_val'"; + } + $this->cond['values'][] = $value; + } else + if (isset($GLOBALS['PRODS_GENQUE_KEYWD']["$name"])) { + $this->cond_kw['names'][] = $name; + $this->cond_kw['sysnames'][] = $GLOBALS['PRODS_GENQUE_KEYWD']["$name"]; + $value = "$op '$val'"; + foreach ($OR_ops_vals as $op_val) { + $or_op = $op_val['op']; + $or_val = $op_val['val']; + if (empty($or_op) || empty($or_val)) + continue; + $value = $value . " || $or_op '$or_val'"; + } + $this->cond_kw['values'][] = $value; + } else { + throw new RODSException("General Query condition field name '$name' is not valid", + 'PERR_USER_INPUT_ERROR'); + } + } + + /** + * make a RP_InxValPair. + */ + public function packetize() + { + return (new RP_InxValPair(count($this->cond['names']), + $this->cond['sysnames'], $this->cond['values'])); + } + + /** + * make a RP_KeyValPair. + */ + public function packetizeKW() + { + return (new RP_KeyValPair(count($this->cond_kw['names']), + $this->cond_kw['sysnames'], $this->cond_kw['values'])); + } + + public function getCond() + { + return $this->cond; + } +} + +?> \ No newline at end of file diff --git a/apps/files_external/3rdparty/irodsphp/prods/src/RODSGenQueResults.class.php b/apps/files_external/3rdparty/irodsphp/prods/src/RODSGenQueResults.class.php new file mode 100644 index 0000000000..41be1069af --- /dev/null +++ b/apps/files_external/3rdparty/irodsphp/prods/src/RODSGenQueResults.class.php @@ -0,0 +1,99 @@ +total_count = $total_count; + $this->values = $result_array; + $this->numcol = count($result_array); + if ($this->numcol > 0) + $this->numrow = count(current($result_array)); + else + $this->numrow = 0; + } + + /** + * Add general query result packet RP_GenQueryOut, directly from the protocol level query, into the result structure. + * @param RP_GenQueryOut $genque_result_pk result packet directly from the protocol level query. + * @return number of rows just added + */ + public function addResults(RP_GenQueryOut $genque_result_pk) + { + if ($genque_result_pk->totalRowCount > $this->total_count) + $this->total_count = $genque_result_pk->totalRowCount; + + require_once("RodsGenQueryNum.inc.php"); //load magic numbers + + $num_row_added = 0; + for ($i = 0; $i < $genque_result_pk->attriCnt; $i++) { + $sql_res_pk = $genque_result_pk->SqlResult_PI[$i]; + $attri_name = $GLOBALS['PRODS_GENQUE_NUMS_REV'][$sql_res_pk->attriInx]; + if (empty($this->values["$attri_name"])) + $this->values["$attri_name"] = $sql_res_pk->value; + else + array_splice($this->values["$attri_name"], + count($this->values["$attri_name"]), 0, $sql_res_pk->value); + if ($i == 0) { + $num_row_added = count($sql_res_pk->value); + if ($num_row_added != (int)$genque_result_pk->rowCnt) { + throw new RODSException("Gen Query result packet num row mismatch. Expect: $genque_result_pk->rowCnt, got: $num_row_added", + 'PERR_UNEXPECTED_PACKET_FORMAT'); + } + } + } + + $this->numcol = count($this->values); + if ($this->numcol > 0) + $this->numrow = count(current($this->values)); + else + $this->numrow = 0; + + return $num_row_added; + } + + /** + * get result values in (2-d) array, each array key is the name + * used RODSGenQueSelFlds, such as COL_COLL_NAME + */ + public function getValues() + { + return $this->values; + } + + /** + * get total result count, including all the potential results not returned. + */ + public function getTotalCount() + { + return $this->total_count; + } + + /** + * get number of columns/fields of the results. + */ + public function getNumCol() + { + return $this->numcol; + } + + /** + * get number of rows of the results. + */ + public function getNumRow() + { + return $this->numrow; + } +} + +?> \ No newline at end of file diff --git a/apps/files_external/3rdparty/irodsphp/prods/src/RODSGenQueSelFlds.class.php b/apps/files_external/3rdparty/irodsphp/prods/src/RODSGenQueSelFlds.class.php new file mode 100644 index 0000000000..10a32f6614 --- /dev/null +++ b/apps/files_external/3rdparty/irodsphp/prods/src/RODSGenQueSelFlds.class.php @@ -0,0 +1,160 @@ +names = $names; + $this->attrs = array(); + $this->indexes = array(); + + for ($i = 0; $i < count($names); $i++) { + $name = $names[$i]; + if (!isset($GLOBALS['PRODS_GENQUE_NUMS']["$name"])) { + throw new RODSException("General Query select field name '$name' is not valid", + 'PERR_USER_INPUT_ERROR'); + } + $this->indexes[] = $GLOBALS['PRODS_GENQUE_NUMS']["$name"]; + $this->attrs[] = RODSGenQueSelFlds::attr2GenQueNumber($attrs[$i]); + } + + } + + /** + * Add a single select field. + * + * @param string name name of the field, which must be one defined in file 'RodsGenQueryNum.inc.php'. + */ + public function add($name, $attr = NULL) + { + require_once("RodsGenQueryNum.inc.php"); //load magic numbers + if (!isset($GLOBALS['PRODS_GENQUE_NUMS']["$name"])) { + throw new RODSException("General Query select field name '$name' is not valid", + 'PERR_USER_INPUT_ERROR'); + } + $this->indexes[] = $GLOBALS['PRODS_GENQUE_NUMS']["$name"]; + $this->names[] = $name; + $this->attrs[] = RODSGenQueSelFlds::attr2GenQueNumber($attr); + } + + /** + * update a single select field's attr/value. Note that if the value already exists, + * it will OR the bits. This is used when you want more than one type of operation + * for a select field, such as select_max and sort. + */ + public function update($name, $attr) + { + require_once("RodsGenQueryNum.inc.php"); //load magic numbers + if (!isset($GLOBALS['PRODS_GENQUE_NUMS']["$name"])) { + throw new RODSException("General Query select field name '$name' is not valid", + 'PERR_USER_INPUT_ERROR'); + } + + $newattr = RODSGenQueSelFlds::attr2GenQueNumber($attr); + for ($i = 0; $i < count($this->names); $i++) { + if ($this->names[$i] == $name) { + if ($this->attrs[$i] == 1) + $this->attrs[$i] = $newattr; + else + $this->attrs[$i] = $newattr | $this->attrs[$i]; + return; + } + } + $this->add($name, $attr); + } + + /** + * Convert supported attribute to magic number, that iRODS protocol uses + * Following attributes are supported: + * - 'order_by_asc' order the result by this field, in ASCENDING order + * - 'order_by_desc' order the result by this field, in DESCENDING order + * - min minimum of the group + * - max maximum of the group + * - sum sum of the group + * - avg average of the group + * - count count of the group + */ + public static function attr2GenQueNumber($attr) + { + if (empty($attr)) return 1; + $retval = 1; + switch ($attr) { + case 'order_by_asc': + $retval = $GLOBALS['PRODS_GENQUE_NUMS']['ORDER_BY']; + break; + case 'order_by_desc': + $retval = $GLOBALS['PRODS_GENQUE_NUMS']['ORDER_BY_DESC']; + break; + case 'min': + $retval = $GLOBALS['PRODS_GENQUE_NUMS']['SELECT_MIN']; + break; + case 'max': + $retval = $GLOBALS['PRODS_GENQUE_NUMS']['SELECT_MAX']; + break; + case 'sum': + $retval = $GLOBALS['PRODS_GENQUE_NUMS']['SELECT_SUM']; + break; + case 'avg': + $retval = $GLOBALS['PRODS_GENQUE_NUMS']['SELECT_AVG']; + break; + case 'count': + $retval = $GLOBALS['PRODS_GENQUE_NUMS']['SELECT_COUNT']; + break; + default: + throw new RODSException("Unexpected attribute: '$attr'", + 'PERR_USER_INPUT_ERROR'); + } + return intval($retval); + } + + /** + * make a RP_InxIvalPair, a low level iRODS packet + */ + public function packetize() + { + return (new RP_InxIvalPair(count($this->names), $this->indexes, + $this->attrs)); + + } + + public function getIndexes() + { + return $this->indexes; + } + + public function getAttrs() + { + return $this->attrs; + } + + public function getCount() + { + return count($this->names); + } + + public function getNames() + { + return $this->names; + } + +} + +?> diff --git a/apps/files_external/3rdparty/irodsphp/prods/src/RODSKeyValPair.class.php b/apps/files_external/3rdparty/irodsphp/prods/src/RODSKeyValPair.class.php new file mode 100644 index 0000000000..31b720cf19 --- /dev/null +++ b/apps/files_external/3rdparty/irodsphp/prods/src/RODSKeyValPair.class.php @@ -0,0 +1,50 @@ + + * @copyright Copyright © 2007, TBD + * @package RODSConn + */ + + +require_once("autoload.inc.php"); + +class RODSKeyValPair +{ + private $keys; + private $vals; + + public function __construct(array $arr = array()) + { + $this->keys = array_keys($arr); + $this->vals = array_values($arr); + } + + public function addPair($key, $val) + { + $this->keys[] = $key; + $this->vals[] = $val; + } + + /** + * Make a RP_KeyValPair + * @return RP_KeyValPair a RP_KeyValPair object + */ + public function makePacket() + { + return new RP_KeyValPair(count($this->keys), $this->keys, $this->vals); + } + + /** + * make a RODSKeyValPair from a RP_KeyValPair + */ + public static function fromPacket(RP_KeyValPair $RP_KeyValPair) + { + $new_keyval = new RODSKeyValPair(); + $new_keyval->keys = $RP_KeyValPair->keyWord; + $new_keyval->vals = $RP_KeyValPair->svalue; + return $new_keyval; + } +} + +?> \ No newline at end of file diff --git a/apps/files_external/3rdparty/irodsphp/prods/src/RODSMessage.class.php b/apps/files_external/3rdparty/irodsphp/prods/src/RODSMessage.class.php new file mode 100644 index 0000000000..ca3e8bc23a --- /dev/null +++ b/apps/files_external/3rdparty/irodsphp/prods/src/RODSMessage.class.php @@ -0,0 +1,185 @@ + "RODS_CONNECT", + "RODS_VERSION_T" => "RODS_VERSION", + "RODS_API_REQ_T" => "RODS_API_REQ", + "RODS_DISCONNECT_T" => "RODS_DISCONNECT", + "RODS_REAUTH_T" => "RODS_REAUTH", + "RODS_API_REPLY_T" => "RODS_API_REPLY" +); + +class RODSMessage +{ + private $type; // (String) message type, such as "RODS_CONNECT_T" + private $typestr; // (String) str representation of the type that RODS server understand + private $msg; // (RODSPacket) main message body + private $header; // (RODSPacket) a special packet, header for other packets + private $header_xml; // (string) packet header in XML + private $msg_xml; // (string) message in XML + private $binstr; // (string) binary string + private $errstr; // (string) error string + private $intinfo; // an additional integer info, for API, it is the + // apiReqNum + private $serialized; + + public function __construct($type = NULL, $_msg = NULL, $intinfo = 0, $binstr = "", $errstr = "") + { + if (!isset($type)) { + return; + } + + $this->type = $type; + $RODSMessage_types = $GLOBALS['RODSMessage_types']; + if (!isset($RODSMessage_types[$type])) { + throw new RODSException("RODSMessage::__construct failed.1! Unknown type '$type'", + "PERR_INTERNAL_ERR"); + } + $this->typestr = $RODSMessage_types[$type]; + + if (isset($_msg)) { + if (!($_msg instanceof RODSPacket)) { + throw new RODSException("RODSMessage::__construct failed.2!", + "PERR_INTERNAL_ERR"); + } + } + $this->msg = $_msg; + $this->intinfo = $intinfo; + $this->binstr = $binstr; + $this->errstr = $errstr; + } + + public function pack() + { + if (isset($this->msg)) + $this->msg_xml = $this->msg->toXML(); + + $this->header = new RP_MsgHeader($this->typestr, strlen($this->msg_xml), + strlen($this->errstr), strlen($this->binstr), $this->intinfo); + $header_xml = $this->header->toXML(); + $this->serialized = pack("N", strlen($header_xml)) . $header_xml . + $this->msg_xml; + return $this->serialized; + } + + + public function unpack($conn, &$bslen = NULL) + { + if (FALSE === ($chunk = stream_get_contents($conn, 4))) { + throw new RODSException("RODSMessage::unpack failed.0! ", + "SYS_PACK_INSTRUCT_FORMAT_ERR"); + } + + + $arr = unpack("Nlen", $chunk); + $header_len = $arr['len']; + if ((!is_int($header_len)) || ($header_len < 1) || ($header_len > 8192 - 4)) { + throw new RODSException("RODSMessage::unpack failed.1! The header length is unexpected: '$header_len'", + "SYS_PACK_INSTRUCT_FORMAT_ERR"); + } + + $this->header_xml = stream_get_contents($conn, $header_len); + $this->parseHeaderXML($this->header_xml); + $intInfo = $this->header->intInfo; + + // get main msg string + $msg_len = $this->header->msgLen; + $this->msg_xml = stream_get_contents($conn, $msg_len); + if ($msg_len != strlen($this->msg_xml)) { + throw new RODSException("RODSMessage::unpack failed.2! " . + "The body length is unexpected: " . strlen($this->msg_xml) . + " expecting: $msg_len", + "SYS_PACK_INSTRUCT_FORMAT_ERR"); + } + if ($msg_len > 0) { + $this->parseBodyXML($this->msg_xml); + } + + // get err string + $errlen = $this->header->errorLen; + $this->errstr = stream_get_contents($conn, $errlen); + if ($errlen != strlen($this->errstr)) { + throw new RODSException("RODSMessage::unpack failed.3! " . + "The err length is unexpected: " . strlen($this->errstr) . + " expecting: $errlen", + "SYS_PACK_INSTRUCT_FORMAT_ERR"); + } + + // get bin string + $bslen = $this->header->bsLen; + $this->binstr = stream_get_contents($conn, $bslen); + if ($bslen != strlen($this->binstr)) { + throw new RODSException("RODSMessage::unpack failed.4! " . + "The bin str length is unexpected: " . strlen($this->binstr) . + " expecting: $bslen", + "SYS_PACK_INSTRUCT_FORMAT_ERR"); + } + + return $this->header->intInfo; + } + + private function parseHeaderXML($xmlstr) + { + $xml = new SimpleXMLElement($xmlstr); + $name = $xml->getName(); + if ($name != "MsgHeader_PI") { + throw new RODSException("RODSMessage::parseHeaderXML failed! " . + "The XML header name is unexpected:$name " . + " expecting: MsgHeader_PI", + "SYS_PACK_INSTRUCT_FORMAT_ERR"); + } + $this->header = new RP_MsgHeader(); + $this->header->fromSXE($xml); + } + + private function parseBodyXML($xmlstr) + { + //try { + $xml = new SimpleXMLElement($xmlstr); + $name = $xml->getName(); + if (substr($name, -3, 3) != "_PI") { + throw new RODSException("RODSMessage::parseMainBodyXML failed! " . + "The XML node's name is unexpected:$name " . + " expecting some thing like xxx_PI", + "SYS_PACK_INSTRUCT_FORMAT_ERR"); + } + $rp_classname = "RP_" . substr($name, 0, strlen($name) - 3); + $this->msg = new $rp_classname(); + $this->msg->fromSXE($xml); + + /*} catch (Exception $e) { + throw new RODSException("RODSMessage::parseMainBodyXML failed! ". + "Mal formated XML in RODS message :". + $xmlstr, + "SYS_PACK_INSTRUCT_FORMAT_ERR",$e); + } + */ + } + + public function getBody() + { + return $this->msg; + } + + public function getBinstr() + { + return $this->binstr; + } + + public function getXML() + { + return $this->header_xml . "\n" . $this->msg_xml; + } + + public static function packConnectMsg($user, $zone, $relVersion = RODS_REL_VERSION, + $apiVersion = RODS_API_VERSION, $option = NULL) + { + $msgbody = new RP_StartupPack($user, $zone, $relVersion, $apiVersion . $option); + $rods_msg = new RODSMessage("RODS_CONNECT_T", $msgbody); + return $rods_msg->pack(); + } +} + +?> \ No newline at end of file diff --git a/apps/files_external/3rdparty/irodsphp/prods/src/RODSMeta.class.php b/apps/files_external/3rdparty/irodsphp/prods/src/RODSMeta.class.php new file mode 100644 index 0000000000..55d48af19d --- /dev/null +++ b/apps/files_external/3rdparty/irodsphp/prods/src/RODSMeta.class.php @@ -0,0 +1,21 @@ +name = $name; + $this->value = $value; + $this->units = $units; + $this->id = $id; + $this->op = $op; + } + +} + \ No newline at end of file diff --git a/apps/files_external/3rdparty/irodsphp/prods/src/RODSObjIOOpr.inc.php b/apps/files_external/3rdparty/irodsphp/prods/src/RODSObjIOOpr.inc.php new file mode 100644 index 0000000000..95807d12ea --- /dev/null +++ b/apps/files_external/3rdparty/irodsphp/prods/src/RODSObjIOOpr.inc.php @@ -0,0 +1,20 @@ + \ No newline at end of file diff --git a/apps/files_external/3rdparty/irodsphp/prods/src/RODSQueryCondition.class.php b/apps/files_external/3rdparty/irodsphp/prods/src/RODSQueryCondition.class.php new file mode 100644 index 0000000000..ecc0282065 --- /dev/null +++ b/apps/files_external/3rdparty/irodsphp/prods/src/RODSQueryCondition.class.php @@ -0,0 +1,22 @@ +name = $name; + $this->value = $value; + $this->op = $op; + } + + public function __toString() + { + return "$this->name $this->op '$this->value'"; + } + +} + \ No newline at end of file diff --git a/apps/files_external/3rdparty/irodsphp/prods/src/RodsAPINum.inc.php b/apps/files_external/3rdparty/irodsphp/prods/src/RodsAPINum.inc.php new file mode 100644 index 0000000000..c4e2c03117 --- /dev/null +++ b/apps/files_external/3rdparty/irodsphp/prods/src/RodsAPINum.inc.php @@ -0,0 +1,217 @@ + '500', + 'FILE_OPEN_AN' => '501', + 'FILE_WRITE_AN' => '502', + 'FILE_CLOSE_AN' => '503', + 'FILE_LSEEK_AN' => '504', + 'FILE_READ_AN' => '505', + 'FILE_UNLINK_AN' => '506', + 'FILE_MKDIR_AN' => '507', + 'FILE_CHMOD_AN' => '508', + 'FILE_RMDIR_AN' => '509', + 'FILE_STAT_AN' => '510', + 'FILE_FSTAT_AN' => '511', + 'FILE_FSYNC_AN' => '512', + 'FILE_STAGE_AN' => '513', + 'FILE_GET_FS_FREE_SPACE_AN' => '514', + 'FILE_OPENDIR_AN' => '515', + 'FILE_CLOSEDIR_AN' => '516', + 'FILE_READDIR_AN' => '517', + 'FILE_PUT_AN' => '518', + 'FILE_GET_AN' => '519', + 'FILE_CHKSUM_AN' => '520', + 'CHK_N_V_PATH_PERM_AN' => '521', + 'FILE_RENAME_AN' => '522', + 'FILE_TRUNCATE_AN' => '523', + 'DATA_OBJ_CREATE_AN' => '601', + 'DATA_OBJ_OPEN_AN' => '602', + 'DATA_OBJ_READ_AN' => '603', + 'DATA_OBJ_WRITE_AN' => '604', + 'DATA_OBJ_CLOSE_AN' => '605', + 'DATA_OBJ_PUT_AN' => '606', + 'DATA_PUT_AN' => '607', + 'DATA_OBJ_GET_AN' => '608', + 'DATA_GET_AN' => '609', + 'DATA_OBJ_REPL_AN' => '610', + 'DATA_COPY_AN' => '611', + 'DATA_OBJ_LSEEK_AN' => '612', + 'DATA_OBJ_COPY_AN' => '613', + 'SIMPLE_QUERY_AN' => '614', + 'DATA_OBJ_UNLINK_AN' => '615', + 'COLL_CREATE_AN' => '616', + 'RM_COLL_OLD_AN' => '617', + 'REG_COLL_AN' => '618', + 'REG_DATA_OBJ_AN' => '619', + 'UNREG_DATA_OBJ_AN' => '620', + 'REG_REPLICA_AN' => '621', + 'MOD_DATA_OBJ_META_AN' => '622', + 'RULE_EXEC_SUBMIT_AN' => '623', + 'RULE_EXEC_DEL_AN' => '624', + 'EXEC_MY_RULE_AN' => '625', + 'OPR_COMPLETE_AN' => '626', + 'DATA_OBJ_RENAME_AN' => '627', + 'DATA_OBJ_RSYNC_AN' => '628', + 'DATA_OBJ_CHKSUM_AN' => '629', + 'PHY_PATH_REG_AN' => '630', + 'DATA_OBJ_PHYMV_AN' => '631', + 'DATA_OBJ_TRIM_AN' => '632', + 'OBJ_STAT_AN' => '633', + 'EXEC_CMD_AN' => '634', + 'SUB_STRUCT_FILE_CREATE_AN' => '635', + 'SUB_STRUCT_FILE_OPEN_AN' => '636', + 'SUB_STRUCT_FILE_READ_AN' => '637', + 'SUB_STRUCT_FILE_WRITE_AN' => '638', + 'SUB_STRUCT_FILE_CLOSE_AN' => '639', + 'SUB_STRUCT_FILE_UNLINK_AN' => '640', + 'SUB_STRUCT_FILE_STAT_AN' => '641', + 'SUB_STRUCT_FILE_FSTAT_AN' => '642', + 'SUB_STRUCT_FILE_LSEEK_AN' => '643', + 'SUB_STRUCT_FILE_RENAME_AN' => '644', + 'QUERY_SPEC_COLL_AN' => '645', + 'MOD_COLL_AN' => '646', + 'SUB_STRUCT_FILE_MKDIR_AN' => '647', + 'SUB_STRUCT_FILE_RMDIR_AN' => '648', + 'SUB_STRUCT_FILE_OPENDIR_AN' => '649', + 'SUB_STRUCT_FILE_READDIR_AN' => '650', + 'SUB_STRUCT_FILE_CLOSEDIR_AN' => '651', + 'DATA_OBJ_TRUNCATE_AN' => '652', + 'SUB_STRUCT_FILE_TRUNCATE_AN' => '653', + 'GET_XMSG_TICKET_AN' => '654', + 'SEND_XMSG_AN' => '655', + 'RCV_XMSG_AN' => '656', + 'SUB_STRUCT_FILE_GET_AN' => '657', + 'SUB_STRUCT_FILE_PUT_AN' => '658', + 'SYNC_MOUNTED_COLL_AN' => '659', + 'STRUCT_FILE_SYNC_AN' => '660', + 'CLOSE_COLLECTION_AN' => '661', + 'COLL_REPL_AN' => '662', + 'RM_COLL_AN' => '663', + 'GET_MISC_SVR_INFO_AN' => '700', + 'GENERAL_ADMIN_AN' => '701', + 'GEN_QUERY_AN' => '702', + 'AUTH_REQUEST_AN' => '703', + 'AUTH_RESPONSE_AN' => '704', + 'AUTH_CHECK_AN' => '705', + 'MOD_AVU_METADATA_AN' => '706', + 'MOD_ACCESS_CONTROL_AN' => '707', + 'RULE_EXEC_MOD_AN' => '708', + 'GET_TEMP_PASSWORD_AN' => '709', + 'GENERAL_UPDATE_AN' => '710', + 'GSI_AUTH_REQUEST_AN' => '711', + 'OPEN_COLLECTION_AN' => '712', + 'READ_COLLECTION_AN' => '713', + 'PAM_AUTH_REQUEST_AN' => '725', + 'SSL_START_AN' => '1100', + 'SSL_END_AN' => '1101', +); +$GLOBALS['PRODS_API_NUMS_REV'] = array( + '500' => 'FILE_CREATE_AN', + '501' => 'FILE_OPEN_AN', + '502' => 'FILE_WRITE_AN', + '503' => 'FILE_CLOSE_AN', + '504' => 'FILE_LSEEK_AN', + '505' => 'FILE_READ_AN', + '506' => 'FILE_UNLINK_AN', + '507' => 'FILE_MKDIR_AN', + '508' => 'FILE_CHMOD_AN', + '509' => 'FILE_RMDIR_AN', + '510' => 'FILE_STAT_AN', + '511' => 'FILE_FSTAT_AN', + '512' => 'FILE_FSYNC_AN', + '513' => 'FILE_STAGE_AN', + '514' => 'FILE_GET_FS_FREE_SPACE_AN', + '515' => 'FILE_OPENDIR_AN', + '516' => 'FILE_CLOSEDIR_AN', + '517' => 'FILE_READDIR_AN', + '518' => 'FILE_PUT_AN', + '519' => 'FILE_GET_AN', + '520' => 'FILE_CHKSUM_AN', + '521' => 'CHK_N_V_PATH_PERM_AN', + '522' => 'FILE_RENAME_AN', + '523' => 'FILE_TRUNCATE_AN', + '601' => 'DATA_OBJ_CREATE_AN', + '602' => 'DATA_OBJ_OPEN_AN', + '603' => 'DATA_OBJ_READ_AN', + '604' => 'DATA_OBJ_WRITE_AN', + '605' => 'DATA_OBJ_CLOSE_AN', + '606' => 'DATA_OBJ_PUT_AN', + '607' => 'DATA_PUT_AN', + '608' => 'DATA_OBJ_GET_AN', + '609' => 'DATA_GET_AN', + '610' => 'DATA_OBJ_REPL_AN', + '611' => 'DATA_COPY_AN', + '612' => 'DATA_OBJ_LSEEK_AN', + '613' => 'DATA_OBJ_COPY_AN', + '614' => 'SIMPLE_QUERY_AN', + '615' => 'DATA_OBJ_UNLINK_AN', + '616' => 'COLL_CREATE_AN', + '617' => 'RM_COLL_OLD_AN', + '618' => 'REG_COLL_AN', + '619' => 'REG_DATA_OBJ_AN', + '620' => 'UNREG_DATA_OBJ_AN', + '621' => 'REG_REPLICA_AN', + '622' => 'MOD_DATA_OBJ_META_AN', + '623' => 'RULE_EXEC_SUBMIT_AN', + '624' => 'RULE_EXEC_DEL_AN', + '625' => 'EXEC_MY_RULE_AN', + '626' => 'OPR_COMPLETE_AN', + '627' => 'DATA_OBJ_RENAME_AN', + '628' => 'DATA_OBJ_RSYNC_AN', + '629' => 'DATA_OBJ_CHKSUM_AN', + '630' => 'PHY_PATH_REG_AN', + '631' => 'DATA_OBJ_PHYMV_AN', + '632' => 'DATA_OBJ_TRIM_AN', + '633' => 'OBJ_STAT_AN', + '634' => 'EXEC_CMD_AN', + '635' => 'SUB_STRUCT_FILE_CREATE_AN', + '636' => 'SUB_STRUCT_FILE_OPEN_AN', + '637' => 'SUB_STRUCT_FILE_READ_AN', + '638' => 'SUB_STRUCT_FILE_WRITE_AN', + '639' => 'SUB_STRUCT_FILE_CLOSE_AN', + '640' => 'SUB_STRUCT_FILE_UNLINK_AN', + '641' => 'SUB_STRUCT_FILE_STAT_AN', + '642' => 'SUB_STRUCT_FILE_FSTAT_AN', + '643' => 'SUB_STRUCT_FILE_LSEEK_AN', + '644' => 'SUB_STRUCT_FILE_RENAME_AN', + '645' => 'QUERY_SPEC_COLL_AN', + '646' => 'MOD_COLL_AN', + '647' => 'SUB_STRUCT_FILE_MKDIR_AN', + '648' => 'SUB_STRUCT_FILE_RMDIR_AN', + '649' => 'SUB_STRUCT_FILE_OPENDIR_AN', + '650' => 'SUB_STRUCT_FILE_READDIR_AN', + '651' => 'SUB_STRUCT_FILE_CLOSEDIR_AN', + '652' => 'DATA_OBJ_TRUNCATE_AN', + '653' => 'SUB_STRUCT_FILE_TRUNCATE_AN', + '654' => 'GET_XMSG_TICKET_AN', + '655' => 'SEND_XMSG_AN', + '656' => 'RCV_XMSG_AN', + '657' => 'SUB_STRUCT_FILE_GET_AN', + '658' => 'SUB_STRUCT_FILE_PUT_AN', + '659' => 'SYNC_MOUNTED_COLL_AN', + '660' => 'STRUCT_FILE_SYNC_AN', + '661' => 'CLOSE_COLLECTION_AN', + '662' => 'COLL_REPL_AN', + '663' => 'RM_COLL_AN', + '700' => 'GET_MISC_SVR_INFO_AN', + '701' => 'GENERAL_ADMIN_AN', + '702' => 'GEN_QUERY_AN', + '703' => 'AUTH_REQUEST_AN', + '704' => 'AUTH_RESPONSE_AN', + '705' => 'AUTH_CHECK_AN', + '706' => 'MOD_AVU_METADATA_AN', + '707' => 'MOD_ACCESS_CONTROL_AN', + '708' => 'RULE_EXEC_MOD_AN', + '709' => 'GET_TEMP_PASSWORD_AN', + '710' => 'GENERAL_UPDATE_AN', + '711' => 'GSI_AUTH_REQUEST_AN', + '712' => 'OPEN_COLLECTION_AN', + '713' => 'READ_COLLECTION_AN', + '725' => 'PAM_AUTH_REQUEST_AN', + '1100' => 'SSL_START_AN', + '1101' => 'SSL_END_AN', +); +?> diff --git a/apps/files_external/3rdparty/irodsphp/prods/src/RodsConst.inc.php b/apps/files_external/3rdparty/irodsphp/prods/src/RodsConst.inc.php new file mode 100644 index 0000000000..1d51f61919 --- /dev/null +++ b/apps/files_external/3rdparty/irodsphp/prods/src/RodsConst.inc.php @@ -0,0 +1,8 @@ + \ No newline at end of file diff --git a/apps/files_external/3rdparty/irodsphp/prods/src/RodsErrorTable.inc.php b/apps/files_external/3rdparty/irodsphp/prods/src/RodsErrorTable.inc.php new file mode 100644 index 0000000000..7c4bb170d4 --- /dev/null +++ b/apps/files_external/3rdparty/irodsphp/prods/src/RodsErrorTable.inc.php @@ -0,0 +1,587 @@ + '-1000', + 'SYS_SOCK_BIND_ERR' => '-2000', + 'SYS_SOCK_ACCEPT_ERR' => '-3000', + 'SYS_HEADER_READ_LEN_ERR' => '-4000', + 'SYS_HEADER_WRITE_LEN_ERR' => '-5000', + 'SYS_HEADER_TPYE_LEN_ERR' => '-6000', + 'SYS_CAUGHT_SIGNAL' => '-7000', + 'SYS_GETSTARTUP_PACK_ERR' => '-8000', + 'SYS_EXCEED_CONNECT_CNT' => '-9000', + 'SYS_USER_NOT_ALLOWED_TO_CONN' => '-10000', + 'SYS_READ_MSG_BODY_INPUT_ERR' => '-11000', + 'SYS_UNMATCHED_API_NUM' => '-12000', + 'SYS_NO_API_PRIV' => '-13000', + 'SYS_API_INPUT_ERR' => '-14000', + 'SYS_PACK_INSTRUCT_FORMAT_ERR' => '-15000', + 'SYS_MALLOC_ERR' => '-16000', + 'SYS_GET_HOSTNAME_ERR' => '-17000', + 'SYS_OUT_OF_FILE_DESC' => '-18000', + 'SYS_FILE_DESC_OUT_OF_RANGE' => '-19000', + 'SYS_UNRECOGNIZED_REMOTE_FLAG' => '-20000', + 'SYS_INVALID_SERVER_HOST' => '-21000', + 'SYS_SVR_TO_SVR_CONNECT_FAILED' => '-22000', + 'SYS_BAD_FILE_DESCRIPTOR' => '-23000', + 'SYS_INTERNAL_NULL_INPUT_ERR' => '-24000', + 'SYS_CONFIG_FILE_ERR' => '-25000', + 'SYS_INVALID_ZONE_NAME' => '-26000', + 'SYS_COPY_LEN_ERR' => '-27000', + 'SYS_PORT_COOKIE_ERR' => '-28000', + 'SYS_KEY_VAL_TABLE_ERR' => '-29000', + 'SYS_INVALID_RESC_TYPE' => '-30000', + 'SYS_INVALID_FILE_PATH' => '-31000', + 'SYS_INVALID_RESC_INPUT' => '-32000', + 'SYS_INVALID_PORTAL_OPR' => '-33000', + 'SYS_PARA_OPR_NO_SUPPORT' => '-34000', + 'SYS_INVALID_OPR_TYPE' => '-35000', + 'SYS_NO_PATH_PERMISSION' => '-36000', + 'SYS_NO_ICAT_SERVER_ERR' => '-37000', + 'SYS_AGENT_INIT_ERR' => '-38000', + 'SYS_PROXYUSER_NO_PRIV' => '-39000', + 'SYS_NO_DATA_OBJ_PERMISSION' => '-40000', + 'SYS_DELETE_DISALLOWED' => '-41000', + 'SYS_OPEN_REI_FILE_ERR' => '-42000', + 'SYS_NO_RCAT_SERVER_ERR' => '-43000', + 'SYS_UNMATCH_PACK_INSTRUCTI_NAME' => '-44000', + 'SYS_SVR_TO_CLI_MSI_NO_EXIST' => '-45000', + 'SYS_COPY_ALREADY_IN_RESC' => '-46000', + 'SYS_RECONN_OPR_MISMATCH' => '-47000', + 'SYS_INPUT_PERM_OUT_OF_RANGE' => '-48000', + 'SYS_FORK_ERROR' => '-49000', + 'SYS_PIPE_ERROR' => '-50000', + 'SYS_EXEC_CMD_STATUS_SZ_ERROR' => '-51000', + 'SYS_PATH_IS_NOT_A_FILE' => '-52000', + 'SYS_UNMATCHED_SPEC_COLL_TYPE' => '-53000', + 'SYS_TOO_MANY_QUERY_RESULT' => '-54000', + 'USER_AUTH_SCHEME_ERR' => '-300000', + 'USER_AUTH_STRING_EMPTY' => '-301000', + 'USER_RODS_HOST_EMPTY' => '-302000', + 'USER_RODS_HOSTNAME_ERR' => '-303000', + 'USER_SOCK_OPEN_ERR' => '-304000', + 'USER_SOCK_CONNECT_ERR' => '-305000', + 'USER_STRLEN_TOOLONG' => '-306000', + 'USER_API_INPUT_ERR' => '-307000', + 'USER_PACKSTRUCT_INPUT_ERR' => '-308000', + 'USER_NO_SUPPORT_ERR' => '-309000', + 'USER_FILE_DOES_NOT_EXIST' => '-310000', + 'USER_FILE_TOO_LARGE' => '-311000', + 'OVERWITE_WITHOUT_FORCE_FLAG' => '-312000', + 'UNMATCHED_KEY_OR_INDEX' => '-313000', + 'USER_CHKSUM_MISMATCH' => '-314000', + 'USER_BAD_KEYWORD_ERR' => '-315000', + 'USER__NULL_INPUT_ERR' => '-316000', + 'USER_INPUT_PATH_ERR' => '-317000', + 'USER_INPUT_OPTION_ERR' => '-318000', + 'USER_INVALID_USERNAME_FORMAT' => '-319000', + 'USER_DIRECT_RESC_INPUT_ERR' => '-320000', + 'USER_NO_RESC_INPUT_ERR' => '-321000', + 'USER_PARAM_LABEL_ERR' => '-322000', + 'USER_PARAM_TYPE_ERR' => '-323000', + 'BASE64_BUFFER_OVERFLOW' => '-324000', + 'BASE64_INVALID_PACKET' => '-325000', + 'USER_MSG_TYPE_NO_SUPPORT' => '-326000', + 'USER_RSYNC_NO_MODE_INPUT_ERR' => '-337000', + 'USER_OPTION_INPUT_ERR' => '-338000', + 'SAME_SRC_DEST_PATHS_ERR' => '-339000', + 'USER_RESTART_FILE_INPUT_ERR' => '-340000', + 'RESTART_OPR_FAILED' => '-341000', + 'BAD_EXEC_CMD_PATH' => '-342000', + 'EXEC_CMD_OUTPUT_TOO_LARGE' => '-343000', + 'EXEC_CMD_ERROR' => '-344000', + 'FILE_INDEX_LOOKUP_ERR' => '-500000', + 'UNIX_FILE_OPEN_ERR' => '-510000', + 'UNIX_FILE_OPEN_ERR_1' => '-510001', + 'UNIX_FILE_OPEN_ERR_2' => '-510002', + 'UNIX_FILE_CREATE_ERR' => '-511000', + 'UNIX_FILE_READ_ERR' => '-512000', + 'UNIX_FILE_WRITE_ERR' => '-513000', + 'UNIX_FILE_CLOSE_ERR' => '-514000', + 'UNIX_FILE_UNLINK_ERR' => '-515000', + 'UNIX_FILE_STAT_ERR' => '-516000', + 'UNIX_FILE_FSTAT_ERR' => '-517000', + 'UNIX_FILE_LSEEK_ERR' => '-518000', + 'UNIX_FILE_FSYNC_ERR' => '-519000', + 'UNIX_FILE_MKDIR_ERR' => '-520000', + 'UNIX_FILE_RMDIR_ERR' => '-521000', + 'UNIX_FILE_OPENDIR_ERR' => '-522000', + 'UNIX_FILE_CLOSEDIR_ERR' => '-523000', + 'UNIX_FILE_READDIR_ERR' => '-524000', + 'UNIX_FILE_STAGE_ERR' => '-525000', + 'UNIX_FILE_GET_FS_FREESPACE_ERR' => '-526000', + 'UNIX_FILE_CHMOD_ERR' => '-527000', + 'UNIX_FILE_RENAME_ERR' => '-528000', + 'CATALOG_NOT_CONNECTED' => '-801000', + 'CAT_ENV_ERR' => '-802000', + 'CAT_CONNECT_ERR' => '-803000', + 'CAT_DISCONNECT_ERR' => '-804000', + 'CAT_CLOSE_ENV_ERR' => '-805000', + 'CAT_SQL_ERR' => '-806000', + 'CAT_GET_ROW_ERR' => '-807000', + 'CAT_NO_ROWS_FOUND' => '-808000', + 'CATALOG_ALREADY_HAS_ITEM_BY_THAT_NAME' => '-809000', + 'CAT_INVALID_RESOURCE_TYPE' => '-810000', + 'CAT_INVALID_RESOURCE_CLASS' => '-811000', + 'CAT_INVALID_RESOURCE_NET_ADDR' => '-812000', + 'CAT_INVALID_RESOURCE_VAULT_PATH' => '-813000', + 'CAT_UNKNOWN_COLLECTION' => '-814000', + 'CAT_INVALID_DATA_TYPE' => '-815000', + 'CAT_INVALID_ARGUMENT' => '-816000', + 'CAT_UNKNOWN_FILE' => '-817000', + 'CAT_NO_ACCESS_PERMISSION' => '-818000', + 'CAT_SUCCESS_BUT_WITH_NO_INFO' => '-819000', + 'CAT_INVALID_USER_TYPE' => '-820000', + 'CAT_COLLECTION_NOT_EMPTY' => '-821000', + 'CAT_TOO_MANY_TABLES' => '-822000', + 'CAT_UNKNOWN_TABLE' => '-823000', + 'CAT_NOT_OPEN' => '-824000', + 'CAT_FAILED_TO_LINK_TABLES' => '-825000', + 'CAT_INVALID_AUTHENTICATION' => '-826000', + 'CAT_INVALID_USER' => '-827000', + 'CAT_INVALID_ZONE' => '-828000', + 'CAT_INVALID_GROUP' => '-829000', + 'CAT_INSUFFICIENT_PRIVILEGE_LEVEL' => '-830000', + 'CAT_INVALID_RESOURCE' => '-831000', + 'CAT_INVALID_CLIENT_USER' => '-832000', + 'CAT_NAME_EXISTS_AS_COLLECTION' => '-833000', + 'CAT_NAME_EXISTS_AS_DATAOBJ' => '-834000', + 'CAT_RESOURCE_NOT_EMPTY' => '-835000', + 'CAT_NOT_A_DATAOBJ_AND_NOT_A_COLLECTION' => '-836000', + 'CAT_RECURSIVE_MOVE' => '-837000', + 'CAT_LAST_REPLICA' => '-838000', + 'CAT_OCI_ERROR' => '-839000', + 'CAT_PASSWORD_EXPIRED' => '-840000', + 'FILE_OPEN_ERR' => '-900000', + 'FILE_READ_ERR' => '-901000', + 'FILE_WRITE_ERR' => '-902000', + 'PASSWORD_EXCEEDS_MAX_SIZE' => '-903000', + 'ENVIRONMENT_VAR_HOME_NOT_DEFINED' => '-904000', + 'UNABLE_TO_STAT_FILE' => '-905000', + 'AUTH_FILE_NOT_ENCRYPTED' => '-906000', + 'AUTH_FILE_DOES_NOT_EXIST' => '-907000', + 'UNLINK_FAILED' => '-908000', + 'NO_PASSWORD_ENTERED' => '-909000', + 'OBJPATH_EMPTY_IN_STRUCT_ERR' => '-1000000', + 'RESCNAME_EMPTY_IN_STRUCT_ERR' => '-1001000', + 'DATATYPE_EMPTY_IN_STRUCT_ERR' => '-1002000', + 'DATASIZE_EMPTY_IN_STRUCT_ERR' => '-1003000', + 'CHKSUM_EMPTY_IN_STRUCT_ERR' => '-1004000', + 'VERSION_EMPTY_IN_STRUCT_ERR' => '-1005000', + 'FILEPATH_EMPTY_IN_STRUCT_ERR' => '-1006000', + 'REPLNUM_EMPTY_IN_STRUCT_ERR' => '-1007000', + 'REPLSTATUS_EMPTY_IN_STRUCT_ERR' => '-1008000', + 'DATAOWNER_EMPTY_IN_STRUCT_ERR' => '-1009000', + 'DATAOWNERZONE_EMPTY_IN_STRUCT_ERR' => '-1010000', + 'DATAEXPIRY_EMPTY_IN_STRUCT_ERR' => '-1011000', + 'DATACOMMENTS_EMPTY_IN_STRUCT_ERR' => '-1012000', + 'DATACREATE_EMPTY_IN_STRUCT_ERR' => '-1013000', + 'DATAMODIFY_EMPTY_IN_STRUCT_ERR' => '-1014000', + 'DATAACCESS_EMPTY_IN_STRUCT_ERR' => '-1015000', + 'DATAACCESSINX_EMPTY_IN_STRUCT_ERR' => '-1016000', + 'NO_RULE_FOUND_ERR' => '-1017000', + 'NO_MORE_RULES_ERR' => '-1018000', + 'UNMATCHED_ACTION_ERR' => '-1019000', + 'RULES_FILE_READ_ERROR' => '-1020000', + 'ACTION_ARG_COUNT_MISMATCH' => '-1021000', + 'MAX_NUM_OF_ARGS_IN_ACTION_EXCEEDED' => '-1022000', + 'UNKNOWN_PARAM_IN_RULE_ERR' => '-1023000', + 'DESTRESCNAME_EMPTY_IN_STRUCT_ERR' => '-1024000', + 'BACKUPRESCNAME_EMPTY_IN_STRUCT_ERR' => '-1025000', + 'DATAID_EMPTY_IN_STRUCT_ERR' => '-1026000', + 'COLLID_EMPTY_IN_STRUCT_ERR' => '-1027000', + 'RESCGROUPNAME_EMPTY_IN_STRUCT_ERR' => '-1028000', + 'STATUSSTRING_EMPTY_IN_STRUCT_ERR' => '-1029000', + 'DATAMAPID_EMPTY_IN_STRUCT_ERR' => '-1030000', + 'USERNAMECLIENT_EMPTY_IN_STRUCT_ERR' => '-1031000', + 'RODSZONECLIENT_EMPTY_IN_STRUCT_ERR' => '-1032000', + 'USERTYPECLIENT_EMPTY_IN_STRUCT_ERR' => '-1033000', + 'HOSTCLIENT_EMPTY_IN_STRUCT_ERR' => '-1034000', + 'AUTHSTRCLIENT_EMPTY_IN_STRUCT_ERR' => '-1035000', + 'USERAUTHSCHEMECLIENT_EMPTY_IN_STRUCT_ERR' => '-1036000', + 'USERINFOCLIENT_EMPTY_IN_STRUCT_ERR' => '-1037000', + 'USERCOMMENTCLIENT_EMPTY_IN_STRUCT_ERR' => '-1038000', + 'USERCREATECLIENT_EMPTY_IN_STRUCT_ERR' => '-1039000', + 'USERMODIFYCLIENT_EMPTY_IN_STRUCT_ERR' => '-1040000', + 'USERNAMEPROXY_EMPTY_IN_STRUCT_ERR' => '-1041000', + 'RODSZONEPROXY_EMPTY_IN_STRUCT_ERR' => '-1042000', + 'USERTYPEPROXY_EMPTY_IN_STRUCT_ERR' => '-1043000', + 'HOSTPROXY_EMPTY_IN_STRUCT_ERR' => '-1044000', + 'AUTHSTRPROXY_EMPTY_IN_STRUCT_ERR' => '-1045000', + 'USERAUTHSCHEMEPROXY_EMPTY_IN_STRUCT_ERR' => '-1046000', + 'USERINFOPROXY_EMPTY_IN_STRUCT_ERR' => '-1047000', + 'USERCOMMENTPROXY_EMPTY_IN_STRUCT_ERR' => '-1048000', + 'USERCREATEPROXY_EMPTY_IN_STRUCT_ERR' => '-1049000', + 'USERMODIFYPROXY_EMPTY_IN_STRUCT_ERR' => '-1050000', + 'COLLNAME_EMPTY_IN_STRUCT_ERR' => '-1051000', + 'COLLPARENTNAME_EMPTY_IN_STRUCT_ERR' => '-1052000', + 'COLLOWNERNAME_EMPTY_IN_STRUCT_ERR' => '-1053000', + 'COLLOWNERZONE_EMPTY_IN_STRUCT_ERR' => '-1054000', + 'COLLEXPIRY_EMPTY_IN_STRUCT_ERR' => '-1055000', + 'COLLCOMMENTS_EMPTY_IN_STRUCT_ERR' => '-1056000', + 'COLLCREATE_EMPTY_IN_STRUCT_ERR' => '-1057000', + 'COLLMODIFY_EMPTY_IN_STRUCT_ERR' => '-1058000', + 'COLLACCESS_EMPTY_IN_STRUCT_ERR' => '-1059000', + 'COLLACCESSINX_EMPTY_IN_STRUCT_ERR' => '-1060000', + 'COLLMAPID_EMPTY_IN_STRUCT_ERR' => '-1062000', + 'COLLINHERITANCE_EMPTY_IN_STRUCT_ERR' => '-1063000', + 'RESCZONE_EMPTY_IN_STRUCT_ERR' => '-1065000', + 'RESCLOC_EMPTY_IN_STRUCT_ERR' => '-1066000', + 'RESCTYPE_EMPTY_IN_STRUCT_ERR' => '-1067000', + 'RESCTYPEINX_EMPTY_IN_STRUCT_ERR' => '-1068000', + 'RESCCLASS_EMPTY_IN_STRUCT_ERR' => '-1069000', + 'RESCCLASSINX_EMPTY_IN_STRUCT_ERR' => '-1070000', + 'RESCVAULTPATH_EMPTY_IN_STRUCT_ERR' => '-1071000', + 'NUMOPEN_ORTS_EMPTY_IN_STRUCT_ERR' => '-1072000', + 'PARAOPR_EMPTY_IN_STRUCT_ERR' => '-1073000', + 'RESCID_EMPTY_IN_STRUCT_ERR' => '-1074000', + 'GATEWAYADDR_EMPTY_IN_STRUCT_ERR' => '-1075000', + 'RESCMAX_BJSIZE_EMPTY_IN_STRUCT_ERR' => '-1076000', + 'FREESPACE_EMPTY_IN_STRUCT_ERR' => '-1077000', + 'FREESPACETIME_EMPTY_IN_STRUCT_ERR' => '-1078000', + 'FREESPACETIMESTAMP_EMPTY_IN_STRUCT_ERR' => '-1079000', + 'RESCINFO_EMPTY_IN_STRUCT_ERR' => '-1080000', + 'RESCCOMMENTS_EMPTY_IN_STRUCT_ERR' => '-1081000', + 'RESCCREATE_EMPTY_IN_STRUCT_ERR' => '-1082000', + 'RESCMODIFY_EMPTY_IN_STRUCT_ERR' => '-1083000', + 'INPUT_ARG_NOT_WELL_FORMED_ERR' => '-1084000', + 'INPUT_ARG_OUT_OF_ARGC_RANGE_ERR' => '-1085000', + 'INSUFFICIENT_INPUT_ARG_ERR' => '-1086000', + 'INPUT_ARG_DOES_NOT_MATCH_ERR' => '-1087000', + 'RETRY_WITHOUT_RECOVERY_ERR' => '-1088000', + 'CUT_ACTION_PROCESSED_ERR' => '-1089000', + 'ACTION_FAILED_ERR' => '-1090000', + 'FAIL_ACTION_ENCOUNTERED_ERR' => '-1091000', + 'VARIABLE_NAME_TOO_LONG_ERR' => '-1092000', + 'UNKNOWN_VARIABLE_MAP_ERR' => '-1093000', + 'UNDEFINED_VARIABLE_MAP_ERR' => '-1094000', + 'NULL_VALUE_ERR' => '-1095000', + 'DVARMAP_FILE_READ_ERROR' => '-1096000', + 'NO_RULE_OR_MSI_FUNCTION_FOUND_ERR' => '-1097000', + 'FILE_CREATE_ERROR' => '-1098000', + 'FMAP_FILE_READ_ERROR' => '-1099000', + 'DATE_FORMAT_ERR' => '-1100000', + 'RULE_FAILED_ERR' => '-1101000', + 'NO_MICROSERVICE_FOUND_ERR' => '-1102000', + 'INVALID_REGEXP' => '-1103000', + 'INVALID_OBJECT_NAME' => '-1104000', + 'INVALID_OBJECT_TYPE' => '-1105000', + 'NO_VALUES_FOUND' => '-1106000', + 'NO_COLUMN_NAME_FOUND' => '-1107000', + 'SYS_NULL_INPUT' => '-99999996', + 'SYS_HANDLER_DONE_WITH_ERROR' => '-99999997', + 'SYS_HANDLER_DONE_NO_ERROR' => '-99999998', + 'SYS_NO_HANDLER_REPLY_MSG' => '-99999999', + 'GENERAL_PRODS_ERR' => '-3000000', + 'PERR_INTERNAL_ERR' => '-3100000', + 'PERR_UNEXPECTED_PACKET_FORMAT' => '-3101000', + 'PERR_PATH_DOES_NOT_EXISTS' => '-3102000', + 'PERR_UNSUPPORTED_PROTOCOL_SCHEME' => '-3103000', + 'PERR_USER_INPUT_ERROR' => '-3104000', + 'PERR_USER_INPUT_PATH_ERROR' => '-3105000', + 'PERR_CONN_NOT_ACTIVE' => '-3106000', + 'SSL_NOT_BUILT_INTO_CLIENT' => '-2100000', + 'SSL_NOT_BUILT_INTO_SERVER' => '-2101000', + 'SSL_INIT_ERROR' => '-2102000', + 'SSL_HANDSHAKE_ERROR' => '-2103000', + 'SSL_SHUTDOWN_ERROR' => '-2104000', + 'SSL_CERT_ERROR' => '-2105000', + 'PAM_AUTH_NOT_BUILT_INTO_CLIENT' => '-991000', + 'PAM_AUTH_NOT_BUILT_INTO_SERVER' => '-992000', + 'PAM_AUTH_PASSWORD_FAILED' => '-993000', + 'PAM_AUTH_PASSWORD_INVALID_TTL' => '-994000', +); +$GLOBALS['PRODS_ERR_CODES_REV'] = array( + '-1000' => 'SYS_SOCK_OPEN_ERR', + '-2000' => 'SYS_SOCK_BIND_ERR', + '-3000' => 'SYS_SOCK_ACCEPT_ERR', + '-4000' => 'SYS_HEADER_READ_LEN_ERR', + '-5000' => 'SYS_HEADER_WRITE_LEN_ERR', + '-6000' => 'SYS_HEADER_TPYE_LEN_ERR', + '-7000' => 'SYS_CAUGHT_SIGNAL', + '-8000' => 'SYS_GETSTARTUP_PACK_ERR', + '-9000' => 'SYS_EXCEED_CONNECT_CNT', + '-10000' => 'SYS_USER_NOT_ALLOWED_TO_CONN', + '-11000' => 'SYS_READ_MSG_BODY_INPUT_ERR', + '-12000' => 'SYS_UNMATCHED_API_NUM', + '-13000' => 'SYS_NO_API_PRIV', + '-14000' => 'SYS_API_INPUT_ERR', + '-15000' => 'SYS_PACK_INSTRUCT_FORMAT_ERR', + '-16000' => 'SYS_MALLOC_ERR', + '-17000' => 'SYS_GET_HOSTNAME_ERR', + '-18000' => 'SYS_OUT_OF_FILE_DESC', + '-19000' => 'SYS_FILE_DESC_OUT_OF_RANGE', + '-20000' => 'SYS_UNRECOGNIZED_REMOTE_FLAG', + '-21000' => 'SYS_INVALID_SERVER_HOST', + '-22000' => 'SYS_SVR_TO_SVR_CONNECT_FAILED', + '-23000' => 'SYS_BAD_FILE_DESCRIPTOR', + '-24000' => 'SYS_INTERNAL_NULL_INPUT_ERR', + '-25000' => 'SYS_CONFIG_FILE_ERR', + '-26000' => 'SYS_INVALID_ZONE_NAME', + '-27000' => 'SYS_COPY_LEN_ERR', + '-28000' => 'SYS_PORT_COOKIE_ERR', + '-29000' => 'SYS_KEY_VAL_TABLE_ERR', + '-30000' => 'SYS_INVALID_RESC_TYPE', + '-31000' => 'SYS_INVALID_FILE_PATH', + '-32000' => 'SYS_INVALID_RESC_INPUT', + '-33000' => 'SYS_INVALID_PORTAL_OPR', + '-34000' => 'SYS_PARA_OPR_NO_SUPPORT', + '-35000' => 'SYS_INVALID_OPR_TYPE', + '-36000' => 'SYS_NO_PATH_PERMISSION', + '-37000' => 'SYS_NO_ICAT_SERVER_ERR', + '-38000' => 'SYS_AGENT_INIT_ERR', + '-39000' => 'SYS_PROXYUSER_NO_PRIV', + '-40000' => 'SYS_NO_DATA_OBJ_PERMISSION', + '-41000' => 'SYS_DELETE_DISALLOWED', + '-42000' => 'SYS_OPEN_REI_FILE_ERR', + '-43000' => 'SYS_NO_RCAT_SERVER_ERR', + '-44000' => 'SYS_UNMATCH_PACK_INSTRUCTI_NAME', + '-45000' => 'SYS_SVR_TO_CLI_MSI_NO_EXIST', + '-46000' => 'SYS_COPY_ALREADY_IN_RESC', + '-47000' => 'SYS_RECONN_OPR_MISMATCH', + '-48000' => 'SYS_INPUT_PERM_OUT_OF_RANGE', + '-49000' => 'SYS_FORK_ERROR', + '-50000' => 'SYS_PIPE_ERROR', + '-51000' => 'SYS_EXEC_CMD_STATUS_SZ_ERROR', + '-52000' => 'SYS_PATH_IS_NOT_A_FILE', + '-53000' => 'SYS_UNMATCHED_SPEC_COLL_TYPE', + '-54000' => 'SYS_TOO_MANY_QUERY_RESULT', + '-300000' => 'USER_AUTH_SCHEME_ERR', + '-301000' => 'USER_AUTH_STRING_EMPTY', + '-302000' => 'USER_RODS_HOST_EMPTY', + '-303000' => 'USER_RODS_HOSTNAME_ERR', + '-304000' => 'USER_SOCK_OPEN_ERR', + '-305000' => 'USER_SOCK_CONNECT_ERR', + '-306000' => 'USER_STRLEN_TOOLONG', + '-307000' => 'USER_API_INPUT_ERR', + '-308000' => 'USER_PACKSTRUCT_INPUT_ERR', + '-309000' => 'USER_NO_SUPPORT_ERR', + '-310000' => 'USER_FILE_DOES_NOT_EXIST', + '-311000' => 'USER_FILE_TOO_LARGE', + '-312000' => 'OVERWITE_WITHOUT_FORCE_FLAG', + '-313000' => 'UNMATCHED_KEY_OR_INDEX', + '-314000' => 'USER_CHKSUM_MISMATCH', + '-315000' => 'USER_BAD_KEYWORD_ERR', + '-316000' => 'USER__NULL_INPUT_ERR', + '-317000' => 'USER_INPUT_PATH_ERR', + '-318000' => 'USER_INPUT_OPTION_ERR', + '-319000' => 'USER_INVALID_USERNAME_FORMAT', + '-320000' => 'USER_DIRECT_RESC_INPUT_ERR', + '-321000' => 'USER_NO_RESC_INPUT_ERR', + '-322000' => 'USER_PARAM_LABEL_ERR', + '-323000' => 'USER_PARAM_TYPE_ERR', + '-324000' => 'BASE64_BUFFER_OVERFLOW', + '-325000' => 'BASE64_INVALID_PACKET', + '-326000' => 'USER_MSG_TYPE_NO_SUPPORT', + '-337000' => 'USER_RSYNC_NO_MODE_INPUT_ERR', + '-338000' => 'USER_OPTION_INPUT_ERR', + '-339000' => 'SAME_SRC_DEST_PATHS_ERR', + '-340000' => 'USER_RESTART_FILE_INPUT_ERR', + '-341000' => 'RESTART_OPR_FAILED', + '-342000' => 'BAD_EXEC_CMD_PATH', + '-343000' => 'EXEC_CMD_OUTPUT_TOO_LARGE', + '-344000' => 'EXEC_CMD_ERROR', + '-500000' => 'FILE_INDEX_LOOKUP_ERR', + '-510000' => 'UNIX_FILE_OPEN_ERR', + '-510001' => 'UNIX_FILE_OPEN_ERR_1', + '-510002' => 'UNIX_FILE_OPEN_ERR_2', + '-511000' => 'UNIX_FILE_CREATE_ERR', + '-512000' => 'UNIX_FILE_READ_ERR', + '-513000' => 'UNIX_FILE_WRITE_ERR', + '-514000' => 'UNIX_FILE_CLOSE_ERR', + '-515000' => 'UNIX_FILE_UNLINK_ERR', + '-516000' => 'UNIX_FILE_STAT_ERR', + '-517000' => 'UNIX_FILE_FSTAT_ERR', + '-518000' => 'UNIX_FILE_LSEEK_ERR', + '-519000' => 'UNIX_FILE_FSYNC_ERR', + '-520000' => 'UNIX_FILE_MKDIR_ERR', + '-521000' => 'UNIX_FILE_RMDIR_ERR', + '-522000' => 'UNIX_FILE_OPENDIR_ERR', + '-523000' => 'UNIX_FILE_CLOSEDIR_ERR', + '-524000' => 'UNIX_FILE_READDIR_ERR', + '-525000' => 'UNIX_FILE_STAGE_ERR', + '-526000' => 'UNIX_FILE_GET_FS_FREESPACE_ERR', + '-527000' => 'UNIX_FILE_CHMOD_ERR', + '-528000' => 'UNIX_FILE_RENAME_ERR', + '-801000' => 'CATALOG_NOT_CONNECTED', + '-802000' => 'CAT_ENV_ERR', + '-803000' => 'CAT_CONNECT_ERR', + '-804000' => 'CAT_DISCONNECT_ERR', + '-805000' => 'CAT_CLOSE_ENV_ERR', + '-806000' => 'CAT_SQL_ERR', + '-807000' => 'CAT_GET_ROW_ERR', + '-808000' => 'CAT_NO_ROWS_FOUND', + '-809000' => 'CATALOG_ALREADY_HAS_ITEM_BY_THAT_NAME', + '-810000' => 'CAT_INVALID_RESOURCE_TYPE', + '-811000' => 'CAT_INVALID_RESOURCE_CLASS', + '-812000' => 'CAT_INVALID_RESOURCE_NET_ADDR', + '-813000' => 'CAT_INVALID_RESOURCE_VAULT_PATH', + '-814000' => 'CAT_UNKNOWN_COLLECTION', + '-815000' => 'CAT_INVALID_DATA_TYPE', + '-816000' => 'CAT_INVALID_ARGUMENT', + '-817000' => 'CAT_UNKNOWN_FILE', + '-818000' => 'CAT_NO_ACCESS_PERMISSION', + '-819000' => 'CAT_SUCCESS_BUT_WITH_NO_INFO', + '-820000' => 'CAT_INVALID_USER_TYPE', + '-821000' => 'CAT_COLLECTION_NOT_EMPTY', + '-822000' => 'CAT_TOO_MANY_TABLES', + '-823000' => 'CAT_UNKNOWN_TABLE', + '-824000' => 'CAT_NOT_OPEN', + '-825000' => 'CAT_FAILED_TO_LINK_TABLES', + '-826000' => 'CAT_INVALID_AUTHENTICATION', + '-827000' => 'CAT_INVALID_USER', + '-828000' => 'CAT_INVALID_ZONE', + '-829000' => 'CAT_INVALID_GROUP', + '-830000' => 'CAT_INSUFFICIENT_PRIVILEGE_LEVEL', + '-831000' => 'CAT_INVALID_RESOURCE', + '-832000' => 'CAT_INVALID_CLIENT_USER', + '-833000' => 'CAT_NAME_EXISTS_AS_COLLECTION', + '-834000' => 'CAT_NAME_EXISTS_AS_DATAOBJ', + '-835000' => 'CAT_RESOURCE_NOT_EMPTY', + '-836000' => 'CAT_NOT_A_DATAOBJ_AND_NOT_A_COLLECTION', + '-837000' => 'CAT_RECURSIVE_MOVE', + '-838000' => 'CAT_LAST_REPLICA', + '-839000' => 'CAT_OCI_ERROR', + '-840000' => 'CAT_PASSWORD_EXPIRED', + '-900000' => 'FILE_OPEN_ERR', + '-901000' => 'FILE_READ_ERR', + '-902000' => 'FILE_WRITE_ERR', + '-903000' => 'PASSWORD_EXCEEDS_MAX_SIZE', + '-904000' => 'ENVIRONMENT_VAR_HOME_NOT_DEFINED', + '-905000' => 'UNABLE_TO_STAT_FILE', + '-906000' => 'AUTH_FILE_NOT_ENCRYPTED', + '-907000' => 'AUTH_FILE_DOES_NOT_EXIST', + '-908000' => 'UNLINK_FAILED', + '-909000' => 'NO_PASSWORD_ENTERED', + '-1000000' => 'OBJPATH_EMPTY_IN_STRUCT_ERR', + '-1001000' => 'RESCNAME_EMPTY_IN_STRUCT_ERR', + '-1002000' => 'DATATYPE_EMPTY_IN_STRUCT_ERR', + '-1003000' => 'DATASIZE_EMPTY_IN_STRUCT_ERR', + '-1004000' => 'CHKSUM_EMPTY_IN_STRUCT_ERR', + '-1005000' => 'VERSION_EMPTY_IN_STRUCT_ERR', + '-1006000' => 'FILEPATH_EMPTY_IN_STRUCT_ERR', + '-1007000' => 'REPLNUM_EMPTY_IN_STRUCT_ERR', + '-1008000' => 'REPLSTATUS_EMPTY_IN_STRUCT_ERR', + '-1009000' => 'DATAOWNER_EMPTY_IN_STRUCT_ERR', + '-1010000' => 'DATAOWNERZONE_EMPTY_IN_STRUCT_ERR', + '-1011000' => 'DATAEXPIRY_EMPTY_IN_STRUCT_ERR', + '-1012000' => 'DATACOMMENTS_EMPTY_IN_STRUCT_ERR', + '-1013000' => 'DATACREATE_EMPTY_IN_STRUCT_ERR', + '-1014000' => 'DATAMODIFY_EMPTY_IN_STRUCT_ERR', + '-1015000' => 'DATAACCESS_EMPTY_IN_STRUCT_ERR', + '-1016000' => 'DATAACCESSINX_EMPTY_IN_STRUCT_ERR', + '-1017000' => 'NO_RULE_FOUND_ERR', + '-1018000' => 'NO_MORE_RULES_ERR', + '-1019000' => 'UNMATCHED_ACTION_ERR', + '-1020000' => 'RULES_FILE_READ_ERROR', + '-1021000' => 'ACTION_ARG_COUNT_MISMATCH', + '-1022000' => 'MAX_NUM_OF_ARGS_IN_ACTION_EXCEEDED', + '-1023000' => 'UNKNOWN_PARAM_IN_RULE_ERR', + '-1024000' => 'DESTRESCNAME_EMPTY_IN_STRUCT_ERR', + '-1025000' => 'BACKUPRESCNAME_EMPTY_IN_STRUCT_ERR', + '-1026000' => 'DATAID_EMPTY_IN_STRUCT_ERR', + '-1027000' => 'COLLID_EMPTY_IN_STRUCT_ERR', + '-1028000' => 'RESCGROUPNAME_EMPTY_IN_STRUCT_ERR', + '-1029000' => 'STATUSSTRING_EMPTY_IN_STRUCT_ERR', + '-1030000' => 'DATAMAPID_EMPTY_IN_STRUCT_ERR', + '-1031000' => 'USERNAMECLIENT_EMPTY_IN_STRUCT_ERR', + '-1032000' => 'RODSZONECLIENT_EMPTY_IN_STRUCT_ERR', + '-1033000' => 'USERTYPECLIENT_EMPTY_IN_STRUCT_ERR', + '-1034000' => 'HOSTCLIENT_EMPTY_IN_STRUCT_ERR', + '-1035000' => 'AUTHSTRCLIENT_EMPTY_IN_STRUCT_ERR', + '-1036000' => 'USERAUTHSCHEMECLIENT_EMPTY_IN_STRUCT_ERR', + '-1037000' => 'USERINFOCLIENT_EMPTY_IN_STRUCT_ERR', + '-1038000' => 'USERCOMMENTCLIENT_EMPTY_IN_STRUCT_ERR', + '-1039000' => 'USERCREATECLIENT_EMPTY_IN_STRUCT_ERR', + '-1040000' => 'USERMODIFYCLIENT_EMPTY_IN_STRUCT_ERR', + '-1041000' => 'USERNAMEPROXY_EMPTY_IN_STRUCT_ERR', + '-1042000' => 'RODSZONEPROXY_EMPTY_IN_STRUCT_ERR', + '-1043000' => 'USERTYPEPROXY_EMPTY_IN_STRUCT_ERR', + '-1044000' => 'HOSTPROXY_EMPTY_IN_STRUCT_ERR', + '-1045000' => 'AUTHSTRPROXY_EMPTY_IN_STRUCT_ERR', + '-1046000' => 'USERAUTHSCHEMEPROXY_EMPTY_IN_STRUCT_ERR', + '-1047000' => 'USERINFOPROXY_EMPTY_IN_STRUCT_ERR', + '-1048000' => 'USERCOMMENTPROXY_EMPTY_IN_STRUCT_ERR', + '-1049000' => 'USERCREATEPROXY_EMPTY_IN_STRUCT_ERR', + '-1050000' => 'USERMODIFYPROXY_EMPTY_IN_STRUCT_ERR', + '-1051000' => 'COLLNAME_EMPTY_IN_STRUCT_ERR', + '-1052000' => 'COLLPARENTNAME_EMPTY_IN_STRUCT_ERR', + '-1053000' => 'COLLOWNERNAME_EMPTY_IN_STRUCT_ERR', + '-1054000' => 'COLLOWNERZONE_EMPTY_IN_STRUCT_ERR', + '-1055000' => 'COLLEXPIRY_EMPTY_IN_STRUCT_ERR', + '-1056000' => 'COLLCOMMENTS_EMPTY_IN_STRUCT_ERR', + '-1057000' => 'COLLCREATE_EMPTY_IN_STRUCT_ERR', + '-1058000' => 'COLLMODIFY_EMPTY_IN_STRUCT_ERR', + '-1059000' => 'COLLACCESS_EMPTY_IN_STRUCT_ERR', + '-1060000' => 'COLLACCESSINX_EMPTY_IN_STRUCT_ERR', + '-1062000' => 'COLLMAPID_EMPTY_IN_STRUCT_ERR', + '-1063000' => 'COLLINHERITANCE_EMPTY_IN_STRUCT_ERR', + '-1065000' => 'RESCZONE_EMPTY_IN_STRUCT_ERR', + '-1066000' => 'RESCLOC_EMPTY_IN_STRUCT_ERR', + '-1067000' => 'RESCTYPE_EMPTY_IN_STRUCT_ERR', + '-1068000' => 'RESCTYPEINX_EMPTY_IN_STRUCT_ERR', + '-1069000' => 'RESCCLASS_EMPTY_IN_STRUCT_ERR', + '-1070000' => 'RESCCLASSINX_EMPTY_IN_STRUCT_ERR', + '-1071000' => 'RESCVAULTPATH_EMPTY_IN_STRUCT_ERR', + '-1072000' => 'NUMOPEN_ORTS_EMPTY_IN_STRUCT_ERR', + '-1073000' => 'PARAOPR_EMPTY_IN_STRUCT_ERR', + '-1074000' => 'RESCID_EMPTY_IN_STRUCT_ERR', + '-1075000' => 'GATEWAYADDR_EMPTY_IN_STRUCT_ERR', + '-1076000' => 'RESCMAX_BJSIZE_EMPTY_IN_STRUCT_ERR', + '-1077000' => 'FREESPACE_EMPTY_IN_STRUCT_ERR', + '-1078000' => 'FREESPACETIME_EMPTY_IN_STRUCT_ERR', + '-1079000' => 'FREESPACETIMESTAMP_EMPTY_IN_STRUCT_ERR', + '-1080000' => 'RESCINFO_EMPTY_IN_STRUCT_ERR', + '-1081000' => 'RESCCOMMENTS_EMPTY_IN_STRUCT_ERR', + '-1082000' => 'RESCCREATE_EMPTY_IN_STRUCT_ERR', + '-1083000' => 'RESCMODIFY_EMPTY_IN_STRUCT_ERR', + '-1084000' => 'INPUT_ARG_NOT_WELL_FORMED_ERR', + '-1085000' => 'INPUT_ARG_OUT_OF_ARGC_RANGE_ERR', + '-1086000' => 'INSUFFICIENT_INPUT_ARG_ERR', + '-1087000' => 'INPUT_ARG_DOES_NOT_MATCH_ERR', + '-1088000' => 'RETRY_WITHOUT_RECOVERY_ERR', + '-1089000' => 'CUT_ACTION_PROCESSED_ERR', + '-1090000' => 'ACTION_FAILED_ERR', + '-1091000' => 'FAIL_ACTION_ENCOUNTERED_ERR', + '-1092000' => 'VARIABLE_NAME_TOO_LONG_ERR', + '-1093000' => 'UNKNOWN_VARIABLE_MAP_ERR', + '-1094000' => 'UNDEFINED_VARIABLE_MAP_ERR', + '-1095000' => 'NULL_VALUE_ERR', + '-1096000' => 'DVARMAP_FILE_READ_ERROR', + '-1097000' => 'NO_RULE_OR_MSI_FUNCTION_FOUND_ERR', + '-1098000' => 'FILE_CREATE_ERROR', + '-1099000' => 'FMAP_FILE_READ_ERROR', + '-1100000' => 'DATE_FORMAT_ERR', + '-1101000' => 'RULE_FAILED_ERR', + '-1102000' => 'NO_MICROSERVICE_FOUND_ERR', + '-1103000' => 'INVALID_REGEXP', + '-1104000' => 'INVALID_OBJECT_NAME', + '-1105000' => 'INVALID_OBJECT_TYPE', + '-1106000' => 'NO_VALUES_FOUND', + '-1107000' => 'NO_COLUMN_NAME_FOUND', + '-99999996' => 'SYS_NULL_INPUT', + '-99999997' => 'SYS_HANDLER_DONE_WITH_ERROR', + '-99999998' => 'SYS_HANDLER_DONE_NO_ERROR', + '-99999999' => 'SYS_NO_HANDLER_REPLY_MSG', + '-3000000' => 'GENERAL_PRODS_ERR', + '-3100000' => 'PERR_INTERNAL_ERR', + '-3101000' => 'PERR_UNEXPECTED_PACKET_FORMAT', + '-3102000' => 'PERR_PATH_DOES_NOT_EXISTS', + '-3103000' => 'PERR_UNSUPPORTED_PROTOCOL_SCHEME', + '-3104000' => 'PERR_USER_INPUT_ERROR', + '-3105000' => 'PERR_USER_INPUT_PATH_ERROR', + '-3106000' => 'PERR_CONN_NOT_ACTIVE', + '-2100000' => 'SSL_NOT_BUILT_INTO_CLIENT', + '-2101000' => 'SSL_NOT_BUILT_INTO_SERVER', + '-2102000' => 'SSL_INIT_ERROR', + '-2103000' => 'SSL_HANDSHAKE_ERROR', + '-2104000' => 'SSL_SHUTDOWN_ERROR', + '-2105000' => 'SSL_CERT_ERROR', + '-991000' => 'PAM_AUTH_NOT_BUILT_INTO_CLIENT', + '-992000' => 'PAM_AUTH_NOT_BUILT_INTO_SERVER', + '-993000' => 'PAM_AUTH_PASSWORD_FAILED', + '-994000' => 'PAM_AUTH_PASSWORD_INVALID_TTL', +); +?> diff --git a/apps/files_external/3rdparty/irodsphp/prods/src/RodsGenQueryKeyWd.inc.php b/apps/files_external/3rdparty/irodsphp/prods/src/RodsGenQueryKeyWd.inc.php new file mode 100644 index 0000000000..ff830c6d6a --- /dev/null +++ b/apps/files_external/3rdparty/irodsphp/prods/src/RodsGenQueryKeyWd.inc.php @@ -0,0 +1,225 @@ + "all", + 'COPIES_KW' => "copies", + 'EXEC_LOCALLY_KW' => "execLocally", + 'FORCE_FLAG_KW' => "forceFlag", + 'CLI_IN_SVR_FIREWALL_KW' => "cliInSvrFirewall", + 'REG_CHKSUM_KW' => "regChksum", + 'VERIFY_CHKSUM_KW' => "verifyChksum", + 'VERIFY_BY_SIZE_KW' => "verifyBySize", + 'OBJ_PATH_KW' => "objPath", + 'RESC_NAME_KW' => "rescName", + 'DEST_RESC_NAME_KW' => "destRescName", + 'BACKUP_RESC_NAME_KW' => "backupRescName", + 'DATA_TYPE_KW' => "dataType", + 'DATA_SIZE_KW' => "dataSize", + 'CHKSUM_KW' => "chksum", + 'VERSION_KW' => "version", + 'FILE_PATH_KW' => "filePath", + 'REPL_NUM_KW' => "replNum", + 'REPL_STATUS_KW' => "replStatus", + 'ALL_REPL_STATUS_KW' => "allReplStatus", + 'DATA_INCLUDED_KW' => "dataIncluded", + 'DATA_OWNER_KW' => "dataOwner", + 'DATA_OWNER_ZONE_KW' => "dataOwnerZone", + 'DATA_EXPIRY_KW' => "dataExpiry", + 'DATA_COMMENTS_KW' => "dataComments", + 'DATA_CREATE_KW' => "dataCreate", + 'DATA_MODIFY_KW' => "dataModify", + 'DATA_ACCESS_KW' => "dataAccess", + 'DATA_ACCESS_INX_KW' => "dataAccessInx", + 'NO_OPEN_FLAG_KW' => "noOpenFlag", + 'STREAMING_KW' => "streaming", + 'DATA_ID_KW' => "dataId", + 'COLL_ID_KW' => "collId", + 'RESC_GROUP_NAME_KW' => "rescGroupName", + 'STATUS_STRING_KW' => "statusString", + 'DATA_MAP_ID_KW' => "dataMapId", + 'NO_PARA_OP_KW' => "noParaOpr", + 'LOCAL_PATH_KW' => "localPath", + 'RSYNC_MODE_KW' => "rsyncMode", + 'RSYNC_DEST_PATH_KW' => "rsyncDestPath", + 'RSYNC_CHKSUM_KW' => "rsyncChksum", + 'CHKSUM_ALL_KW' => "ChksumAll", + 'FORCE_CHKSUM_KW' => "forceChksum", + 'COLLECTION_KW' => "collection", + 'IRODS_ADMIN_KW' => "irodsAdmin", + 'RESC_ZONE_KW' => "zoneName", + 'RESC_LOC_KW' => "rescLoc", + 'RESC_TYPE_KW' => "rescType", + 'RESC_CLASS_KW' => "rescClass", + 'RESC_VAULT_PATH_KW' => "rescVaultPath", + 'NUM_OPEN_PORTS_KW' => "numOpenPorts", + 'PARA_OPR_KW' => "paraOpr", + 'GATEWAY_ADDR_KW' => "gateWayAddr", + 'RESC_MAX_OBJ_SIZE_KW' => "rescMaxObjSize", + 'FREE_SPACE_KW' => "freeSpace", + 'FREE_SPACE_TIME_KW' => "freeSpaceTime", + 'FREE_SPACE_TIMESTAMP_KW' => "freeSpaceTimeStamp", + 'RESC_TYPE_INX_KW' => "rescTypeInx", + 'RESC_CLASS_INX_KW' => "rescClassInx", + 'RESC_ID_KW' => "rescId", + 'RESC_INFO_KW' => "rescInfo", + 'RESC_COMMENTS_KW' => "rescComments", + 'RESC_CREATE_KW' => "rescCreate", + 'RESC_MODIFY_KW' => "rescModify", + 'USER_NAME_CLIENT_KW' => "userNameClient", + 'RODS_ZONE_CLIENT_KW' => "rodsZoneClient", + 'HOST_CLIENT_KW' => "hostClient", + 'USER_TYPE_CLIENT_KW' => "userTypeClient", + 'AUTH_STR_CLIENT_KW' => "authStrClient", + 'USER_AUTH_SCHEME_CLIENT_KW' => "userAuthSchemeClient", + 'USER_INFO_CLIENT_KW' => "userInfoClient", + 'USER_COMMENT_CLIENT_KW' => "userCommentClient", + 'USER_CREATE_CLIENT_KW' => "userCreateClient", + 'USER_MODIFY_CLIENT_KW' => "userModifyClient", + 'USER_NAME_PROXY_KW' => "userNameProxy", + 'RODS_ZONE_PROXY_KW' => "rodsZoneProxy", + 'HOST_PROXY_KW' => "hostProxy", + 'USER_TYPE_PROXY_KW' => "userTypeProxy", + 'AUTH_STR_PROXY_KW' => "authStrProxy", + 'USER_AUTH_SCHEME_PROXY_KW' => "userAuthSchemeProxy", + 'USER_INFO_PROXY_KW' => "userInfoProxy", + 'USER_COMMENT_PROXY_KW' => "userCommentProxy", + 'USER_CREATE_PROXY_KW' => "userCreateProxy", + 'USER_MODIFY_PROXY_KW' => "userModifyProxy", + 'ACCESS_PERMISSION_KW' => "accessPermission", + 'COLL_NAME_KW' => "collName", + 'COLL_PARENT_NAME_KW' => "collParentName", + 'COLL_OWNER_NAME_KW' => "collOwnername", + 'COLL_OWNER_ZONE_KW' => "collOwnerZone", + 'COLL_MAP_ID_KW' => "collMapId", + 'COLL_INHERITANCE_KW' => "collInheritance", + 'COLL_COMMENTS_KW' => "collComments", + 'COLL_EXPIRY_KW' => "collExpiry", + 'COLL_CREATE_KW' => "collCreate", + 'COLL_MODIFY_KW' => "collModify", + 'COLL_ACCESS_KW' => "collAccess", + 'COLL_ACCESS_INX_KW' => "collAccessInx", + 'COLL_ID_KW' => "collId", + 'RULE_NAME_KW' => "ruleName", + 'RULE_REI_FILE_PATH_KW' => "reiFilePath", + 'RULE_USER_NAME_KW' => "userName", + 'RULE_EXE_ADDRESS_KW' => "exeAddress", + 'RULE_EXE_TIME_KW' => "exeTime", + 'RULE_EXE_FREQUENCY_KW' => "exeFrequency", + 'RULE_PRIORITY_KW' => "priority", + 'RULE_ESTIMATE_EXE_TIME_KW' => "estimateExeTime", + 'RULE_NOTIFICATION_ADDR_KW' => "notificationAddr", + 'RULE_LAST_EXE_TIME_KW' => "lastExeTime", + 'RULE_EXE_STATUS_KW' => "exeStatus", +); +$GLOBALS['PRODS_GENQUE_KEYWD_REV'] = array( + "all" => 'ALL_KW', + "copies" => 'COPIES_KW', + "execLocally" => 'EXEC_LOCALLY_KW', + "forceFlag" => 'FORCE_FLAG_KW', + "cliInSvrFirewall" => 'CLI_IN_SVR_FIREWALL_KW', + "regChksum" => 'REG_CHKSUM_KW', + "verifyChksum" => 'VERIFY_CHKSUM_KW', + "verifyBySize" => 'VERIFY_BY_SIZE_KW', + "objPath" => 'OBJ_PATH_KW', + "rescName" => 'RESC_NAME_KW', + "destRescName" => 'DEST_RESC_NAME_KW', + "backupRescName" => 'BACKUP_RESC_NAME_KW', + "dataType" => 'DATA_TYPE_KW', + "dataSize" => 'DATA_SIZE_KW', + "chksum" => 'CHKSUM_KW', + "version" => 'VERSION_KW', + "filePath" => 'FILE_PATH_KW', + "replNum" => 'REPL_NUM_KW', + "replStatus" => 'REPL_STATUS_KW', + "allReplStatus" => 'ALL_REPL_STATUS_KW', + "dataIncluded" => 'DATA_INCLUDED_KW', + "dataOwner" => 'DATA_OWNER_KW', + "dataOwnerZone" => 'DATA_OWNER_ZONE_KW', + "dataExpiry" => 'DATA_EXPIRY_KW', + "dataComments" => 'DATA_COMMENTS_KW', + "dataCreate" => 'DATA_CREATE_KW', + "dataModify" => 'DATA_MODIFY_KW', + "dataAccess" => 'DATA_ACCESS_KW', + "dataAccessInx" => 'DATA_ACCESS_INX_KW', + "noOpenFlag" => 'NO_OPEN_FLAG_KW', + "streaming" => 'STREAMING_KW', + "dataId" => 'DATA_ID_KW', + "collId" => 'COLL_ID_KW', + "rescGroupName" => 'RESC_GROUP_NAME_KW', + "statusString" => 'STATUS_STRING_KW', + "dataMapId" => 'DATA_MAP_ID_KW', + "noParaOpr" => 'NO_PARA_OP_KW', + "localPath" => 'LOCAL_PATH_KW', + "rsyncMode" => 'RSYNC_MODE_KW', + "rsyncDestPath" => 'RSYNC_DEST_PATH_KW', + "rsyncChksum" => 'RSYNC_CHKSUM_KW', + "ChksumAll" => 'CHKSUM_ALL_KW', + "forceChksum" => 'FORCE_CHKSUM_KW', + "collection" => 'COLLECTION_KW', + "irodsAdmin" => 'IRODS_ADMIN_KW', + "zoneName" => 'RESC_ZONE_KW', + "rescLoc" => 'RESC_LOC_KW', + "rescType" => 'RESC_TYPE_KW', + "rescClass" => 'RESC_CLASS_KW', + "rescVaultPath" => 'RESC_VAULT_PATH_KW', + "numOpenPorts" => 'NUM_OPEN_PORTS_KW', + "paraOpr" => 'PARA_OPR_KW', + "gateWayAddr" => 'GATEWAY_ADDR_KW', + "rescMaxObjSize" => 'RESC_MAX_OBJ_SIZE_KW', + "freeSpace" => 'FREE_SPACE_KW', + "freeSpaceTime" => 'FREE_SPACE_TIME_KW', + "freeSpaceTimeStamp" => 'FREE_SPACE_TIMESTAMP_KW', + "rescTypeInx" => 'RESC_TYPE_INX_KW', + "rescClassInx" => 'RESC_CLASS_INX_KW', + "rescId" => 'RESC_ID_KW', + "rescInfo" => 'RESC_INFO_KW', + "rescComments" => 'RESC_COMMENTS_KW', + "rescCreate" => 'RESC_CREATE_KW', + "rescModify" => 'RESC_MODIFY_KW', + "userNameClient" => 'USER_NAME_CLIENT_KW', + "rodsZoneClient" => 'RODS_ZONE_CLIENT_KW', + "hostClient" => 'HOST_CLIENT_KW', + "userTypeClient" => 'USER_TYPE_CLIENT_KW', + "authStrClient" => 'AUTH_STR_CLIENT_KW', + "userAuthSchemeClient" => 'USER_AUTH_SCHEME_CLIENT_KW', + "userInfoClient" => 'USER_INFO_CLIENT_KW', + "userCommentClient" => 'USER_COMMENT_CLIENT_KW', + "userCreateClient" => 'USER_CREATE_CLIENT_KW', + "userModifyClient" => 'USER_MODIFY_CLIENT_KW', + "userNameProxy" => 'USER_NAME_PROXY_KW', + "rodsZoneProxy" => 'RODS_ZONE_PROXY_KW', + "hostProxy" => 'HOST_PROXY_KW', + "userTypeProxy" => 'USER_TYPE_PROXY_KW', + "authStrProxy" => 'AUTH_STR_PROXY_KW', + "userAuthSchemeProxy" => 'USER_AUTH_SCHEME_PROXY_KW', + "userInfoProxy" => 'USER_INFO_PROXY_KW', + "userCommentProxy" => 'USER_COMMENT_PROXY_KW', + "userCreateProxy" => 'USER_CREATE_PROXY_KW', + "userModifyProxy" => 'USER_MODIFY_PROXY_KW', + "accessPermission" => 'ACCESS_PERMISSION_KW', + "collName" => 'COLL_NAME_KW', + "collParentName" => 'COLL_PARENT_NAME_KW', + "collOwnername" => 'COLL_OWNER_NAME_KW', + "collOwnerZone" => 'COLL_OWNER_ZONE_KW', + "collMapId" => 'COLL_MAP_ID_KW', + "collInheritance" => 'COLL_INHERITANCE_KW', + "collComments" => 'COLL_COMMENTS_KW', + "collExpiry" => 'COLL_EXPIRY_KW', + "collCreate" => 'COLL_CREATE_KW', + "collModify" => 'COLL_MODIFY_KW', + "collAccess" => 'COLL_ACCESS_KW', + "collAccessInx" => 'COLL_ACCESS_INX_KW', + "collId" => 'COLL_ID_KW', + "ruleName" => 'RULE_NAME_KW', + "reiFilePath" => 'RULE_REI_FILE_PATH_KW', + "userName" => 'RULE_USER_NAME_KW', + "exeAddress" => 'RULE_EXE_ADDRESS_KW', + "exeTime" => 'RULE_EXE_TIME_KW', + "exeFrequency" => 'RULE_EXE_FREQUENCY_KW', + "priority" => 'RULE_PRIORITY_KW', + "estimateExeTime" => 'RULE_ESTIMATE_EXE_TIME_KW', + "notificationAddr" => 'RULE_NOTIFICATION_ADDR_KW', + "lastExeTime" => 'RULE_LAST_EXE_TIME_KW', + "exeStatus" => 'RULE_EXE_STATUS_KW', +); +?> diff --git a/apps/files_external/3rdparty/irodsphp/prods/src/RodsGenQueryNum.inc.php b/apps/files_external/3rdparty/irodsphp/prods/src/RodsGenQueryNum.inc.php new file mode 100644 index 0000000000..82de94095b --- /dev/null +++ b/apps/files_external/3rdparty/irodsphp/prods/src/RodsGenQueryNum.inc.php @@ -0,0 +1,235 @@ + '50', + 'MAX_SQL_ROWS' => '500', + 'ORDER_BY' => '1024', + 'ORDER_BY_DESC' => '2048', + 'RETURN_TOTAL_ROW_COUNT' => '32', + 'SELECT_MIN' => '2', + 'SELECT_MAX' => '3', + 'SELECT_SUM' => '4', + 'SELECT_AVG' => '5', + 'SELECT_COUNT' => '6', + 'COL_ZONE_ID' => '101', + 'COL_ZONE_NAME' => '102', + 'COL_USER_ID' => '201', + 'COL_USER_NAME' => '202', + 'COL_USER_TYPE' => '203', + 'COL_USER_ZONE' => '204', + 'COL_USER_DN' => '205', + 'COL_USER_INFO' => '206', + 'COL_USER_COMMENT' => '207', + 'COL_USER_CREATE_TIME' => '208', + 'COL_USER_MODIFY_TIME' => '209', + 'COL_R_RESC_ID' => '301', + 'COL_R_RESC_NAME' => '302', + 'COL_R_ZONE_NAME' => '303', + 'COL_R_TYPE_NAME' => '304', + 'COL_R_CLASS_NAME' => '305', + 'COL_R_LOC' => '306', + 'COL_R_VAULT_PATH' => '307', + 'COL_R_FREE_SPACE' => '308', + 'COL_R_RESC_INFO' => '309', + 'COL_R_RESC_COMMENT' => '310', + 'COL_R_CREATE_TIME' => '311', + 'COL_R_MODIFY_TIME' => '312', + 'COL_D_DATA_ID' => '401', + 'COL_D_COLL_ID' => '402', + 'COL_DATA_NAME' => '403', + 'COL_DATA_REPL_NUM' => '404', + 'COL_DATA_VERSION' => '405', + 'COL_DATA_TYPE_NAME' => '406', + 'COL_DATA_SIZE' => '407', + 'COL_D_RESC_GROUP_NAME' => '408', + 'COL_D_RESC_NAME' => '409', + 'COL_D_DATA_PATH' => '410', + 'COL_D_OWNER_NAME' => '411', + 'COL_D_OWNER_ZONE' => '412', + 'COL_D_REPL_STATUS' => '413', + 'COL_D_DATA_STATUS' => '414', + 'COL_D_DATA_CHECKSUM' => '415', + 'COL_D_EXPIRY' => '416', + 'COL_D_MAP_ID' => '417', + 'COL_D_COMMENTS' => '418', + 'COL_D_CREATE_TIME' => '419', + 'COL_D_MODIFY_TIME' => '420', + 'COL_COLL_ID' => '500', + 'COL_COLL_NAME' => '501', + 'COL_COLL_PARENT_NAME' => '502', + 'COL_COLL_OWNER_NAME' => '503', + 'COL_COLL_OWNER_ZONE' => '504', + 'COL_COLL_MAP_ID' => '505', + 'COL_COLL_INHERITANCE' => '506', + 'COL_COLL_COMMENTS' => '507', + 'COL_COLL_CREATE_TIME' => '508', + 'COL_COLL_MODIFY_TIME' => '509', + 'COL_COLL_TYPE' => '510', + 'COL_COLL_INFO1' => '511', + 'COL_COLL_INFO2' => '512', + 'COL_META_DATA_ATTR_NAME' => '600', + 'COL_META_DATA_ATTR_VALUE' => '601', + 'COL_META_DATA_ATTR_UNITS' => '602', + 'COL_META_DATA_ATTR_ID' => '603', + 'COL_META_COLL_ATTR_NAME' => '610', + 'COL_META_COLL_ATTR_VALUE' => '611', + 'COL_META_COLL_ATTR_UNITS' => '612', + 'COL_META_COLL_ATTR_ID' => '613', + 'COL_META_NAMESPACE_COLL' => '620', + 'COL_META_NAMESPACE_DATA' => '621', + 'COL_META_NAMESPACE_RESC' => '622', + 'COL_META_NAMESPACE_USER' => '623', + 'COL_META_RESC_ATTR_NAME' => '630', + 'COL_META_RESC_ATTR_VALUE' => '631', + 'COL_META_RESC_ATTR_UNITS' => '632', + 'COL_META_RESC_ATTR_ID' => '633', + 'COL_META_USER_ATTR_NAME' => '640', + 'COL_META_USER_ATTR_VALUE' => '641', + 'COL_META_USER_ATTR_UNITS' => '642', + 'COL_META_USER_ATTR_ID' => '643', + 'COL_DATA_ACCESS_TYPE' => '700', + 'COL_DATA_ACCESS_NAME' => '701', + 'COL_DATA_TOKEN_NAMESPACE' => '702', + 'COL_DATA_ACCESS_USER_ID' => '703', + 'COL_DATA_ACCESS_DATA_ID' => '704', + 'COL_RESC_GROUP_RESC_ID' => '800', + 'COL_RESC_GROUP_NAME' => '801', + 'COL_USER_GROUP_ID' => '900', + 'COL_USER_GROUP_NAME' => '901', + 'COL_RULE_EXEC_ID' => '1000', + 'COL_RULE_EXEC_NAME' => '1001', + 'COL_RULE_EXEC_REI_FILE_PATH' => '1002', + 'COL_RULE_EXEC_USER_NAME' => '1003', + 'COL_RULE_EXEC_ADDRESS' => '1004', + 'COL_RULE_EXEC_TIME' => '1005', + 'COL_RULE_EXEC_FREQUENCY' => '1006', + 'COL_RULE_EXEC_PRIORITY' => '1007', + 'COL_RULE_EXEC_ESTIMATED_EXE_TIME' => '1008', + 'COL_RULE_EXEC_NOTIFICATION_ADDR' => '1009', + 'COL_RULE_EXEC_LAST_EXE_TIME' => '1010', + 'COL_RULE_EXEC_STATUS' => '1011', + 'COL_TOKEN_NAMESPACE' => '1100', + 'COL_TOKEN_ID' => '1101', + 'COL_TOKEN_NAME' => '1102', + 'COL_TOKEN_VALUE' => '1103', + 'COL_TOKEN_VALUE2' => '1104', + 'COL_TOKEN_VALUE3' => '1105', + 'COL_TOKEN_COMMENT' => '1106', +); +$GLOBALS['PRODS_GENQUE_NUMS_REV'] = array( + '50' => 'MAX_SQL_ATTR', + '500' => 'MAX_SQL_ROWS', + '1024' => 'ORDER_BY', + '2048' => 'ORDER_BY_DESC', + '32' => 'RETURN_TOTAL_ROW_COUNT', + '2' => 'SELECT_MIN', + '3' => 'SELECT_MAX', + '4' => 'SELECT_SUM', + '5' => 'SELECT_AVG', + '6' => 'SELECT_COUNT', + '101' => 'COL_ZONE_ID', + '102' => 'COL_ZONE_NAME', + '201' => 'COL_USER_ID', + '202' => 'COL_USER_NAME', + '203' => 'COL_USER_TYPE', + '204' => 'COL_USER_ZONE', + '205' => 'COL_USER_DN', + '206' => 'COL_USER_INFO', + '207' => 'COL_USER_COMMENT', + '208' => 'COL_USER_CREATE_TIME', + '209' => 'COL_USER_MODIFY_TIME', + '301' => 'COL_R_RESC_ID', + '302' => 'COL_R_RESC_NAME', + '303' => 'COL_R_ZONE_NAME', + '304' => 'COL_R_TYPE_NAME', + '305' => 'COL_R_CLASS_NAME', + '306' => 'COL_R_LOC', + '307' => 'COL_R_VAULT_PATH', + '308' => 'COL_R_FREE_SPACE', + '309' => 'COL_R_RESC_INFO', + '310' => 'COL_R_RESC_COMMENT', + '311' => 'COL_R_CREATE_TIME', + '312' => 'COL_R_MODIFY_TIME', + '401' => 'COL_D_DATA_ID', + '402' => 'COL_D_COLL_ID', + '403' => 'COL_DATA_NAME', + '404' => 'COL_DATA_REPL_NUM', + '405' => 'COL_DATA_VERSION', + '406' => 'COL_DATA_TYPE_NAME', + '407' => 'COL_DATA_SIZE', + '408' => 'COL_D_RESC_GROUP_NAME', + '409' => 'COL_D_RESC_NAME', + '410' => 'COL_D_DATA_PATH', + '411' => 'COL_D_OWNER_NAME', + '412' => 'COL_D_OWNER_ZONE', + '413' => 'COL_D_REPL_STATUS', + '414' => 'COL_D_DATA_STATUS', + '415' => 'COL_D_DATA_CHECKSUM', + '416' => 'COL_D_EXPIRY', + '417' => 'COL_D_MAP_ID', + '418' => 'COL_D_COMMENTS', + '419' => 'COL_D_CREATE_TIME', + '420' => 'COL_D_MODIFY_TIME', + '500' => 'COL_COLL_ID', + '501' => 'COL_COLL_NAME', + '502' => 'COL_COLL_PARENT_NAME', + '503' => 'COL_COLL_OWNER_NAME', + '504' => 'COL_COLL_OWNER_ZONE', + '505' => 'COL_COLL_MAP_ID', + '506' => 'COL_COLL_INHERITANCE', + '507' => 'COL_COLL_COMMENTS', + '508' => 'COL_COLL_CREATE_TIME', + '509' => 'COL_COLL_MODIFY_TIME', + '510' => 'COL_COLL_TYPE', + '511' => 'COL_COLL_INFO1', + '512' => 'COL_COLL_INFO2', + '600' => 'COL_META_DATA_ATTR_NAME', + '601' => 'COL_META_DATA_ATTR_VALUE', + '602' => 'COL_META_DATA_ATTR_UNITS', + '603' => 'COL_META_DATA_ATTR_ID', + '610' => 'COL_META_COLL_ATTR_NAME', + '611' => 'COL_META_COLL_ATTR_VALUE', + '612' => 'COL_META_COLL_ATTR_UNITS', + '613' => 'COL_META_COLL_ATTR_ID', + '620' => 'COL_META_NAMESPACE_COLL', + '621' => 'COL_META_NAMESPACE_DATA', + '622' => 'COL_META_NAMESPACE_RESC', + '623' => 'COL_META_NAMESPACE_USER', + '630' => 'COL_META_RESC_ATTR_NAME', + '631' => 'COL_META_RESC_ATTR_VALUE', + '632' => 'COL_META_RESC_ATTR_UNITS', + '633' => 'COL_META_RESC_ATTR_ID', + '640' => 'COL_META_USER_ATTR_NAME', + '641' => 'COL_META_USER_ATTR_VALUE', + '642' => 'COL_META_USER_ATTR_UNITS', + '643' => 'COL_META_USER_ATTR_ID', + '700' => 'COL_DATA_ACCESS_TYPE', + '701' => 'COL_DATA_ACCESS_NAME', + '702' => 'COL_DATA_TOKEN_NAMESPACE', + '703' => 'COL_DATA_ACCESS_USER_ID', + '704' => 'COL_DATA_ACCESS_DATA_ID', + '800' => 'COL_RESC_GROUP_RESC_ID', + '801' => 'COL_RESC_GROUP_NAME', + '900' => 'COL_USER_GROUP_ID', + '901' => 'COL_USER_GROUP_NAME', + '1000' => 'COL_RULE_EXEC_ID', + '1001' => 'COL_RULE_EXEC_NAME', + '1002' => 'COL_RULE_EXEC_REI_FILE_PATH', + '1003' => 'COL_RULE_EXEC_USER_NAME', + '1004' => 'COL_RULE_EXEC_ADDRESS', + '1005' => 'COL_RULE_EXEC_TIME', + '1006' => 'COL_RULE_EXEC_FREQUENCY', + '1007' => 'COL_RULE_EXEC_PRIORITY', + '1008' => 'COL_RULE_EXEC_ESTIMATED_EXE_TIME', + '1009' => 'COL_RULE_EXEC_NOTIFICATION_ADDR', + '1010' => 'COL_RULE_EXEC_LAST_EXE_TIME', + '1011' => 'COL_RULE_EXEC_STATUS', + '1100' => 'COL_TOKEN_NAMESPACE', + '1101' => 'COL_TOKEN_ID', + '1102' => 'COL_TOKEN_NAME', + '1103' => 'COL_TOKEN_VALUE', + '1104' => 'COL_TOKEN_VALUE2', + '1105' => 'COL_TOKEN_VALUE3', + '1106' => 'COL_TOKEN_COMMENT', +); +?> diff --git a/apps/files_external/3rdparty/irodsphp/prods/src/autoload.inc.php b/apps/files_external/3rdparty/irodsphp/prods/src/autoload.inc.php new file mode 100644 index 0000000000..593b901959 --- /dev/null +++ b/apps/files_external/3rdparty/irodsphp/prods/src/autoload.inc.php @@ -0,0 +1,47 @@ +read())) { + if ($folder != "." && $folder != "..") { + if (is_dir(CLASS_DIR . $sub . $folder)) { + $subFolder = classFolder($className, $sub . $folder . "/"); + + if ($subFolder) + return $subFolder; + } + } + } + $dir->close(); + return false; +} + +spl_autoload_register('__autoload'); diff --git a/apps/files_external/3rdparty/irodsphp/prods/src/packet/RODSPacket.class.php b/apps/files_external/3rdparty/irodsphp/prods/src/packet/RODSPacket.class.php new file mode 100644 index 0000000000..89040882d2 --- /dev/null +++ b/apps/files_external/3rdparty/irodsphp/prods/src/packet/RODSPacket.class.php @@ -0,0 +1,250 @@ + array ("type" => NULL, "msgLen" => 0, + "errorLen" => 0, "bsLen" => 0, "intInfo" => 0), + "StartupPack_PI" => array ("irodsProt" => 1, "connectCnt" => 0, + "proxyUser" => NULL, "proxyRcatZone" => NULL, "clientUser" => NULL, + "clientRcatZone" => NULL, "relVersion" => NULL, + "apiVersion" => NULL, "option" => NULL ), + "Version_PI" => array ("status"=>0,"relVersion"=>NULL,"apiVersion"=>NULL), + "authResponseInp_PI" => array("response" => NULL, "username" => NULL), + "authRequestOut_PI" => array("challenge" => NULL) +); +*/ + +class RODSPacket +{ + protected $type; // type of packet + protected $packlets; // (array of mixed) main message body + + public function __construct($type = NULL, array $arr = NULL) + { + if (!isset($type)) + return; + + $this->type = $type; + $this->packlets = $arr; + } + + public function toXML() + { + if (empty($this->type)) + return NULL; + + $doc = new DOMDocument(); + $root = $this->toDOMElement($doc); + $doc->appendChild($root); + return ($doc->saveXML($root, LIBXML_NOEMPTYTAG)); + } + + /* + public function fromXML($str) + { + try { + $xml = new SimpleXMLElement($str); + } catch (Exception $e) { + throw new RODSException("RODSPacket::fromXML failed. ". + "Mal-formated XML: '$str'\n", + PERR_INTERNAL_ERR); + } + + if (isset($this->type)&&($this->type!=$xml->getName())) + { + throw new RODSException("RODSPacket::fromXML failed. ". + "Possible type mismatch! expected type:".$this->type." but got: ". + $xml->getName()." \n", + PERR_INTERNAL_ERR); + } + + $this->type=$xml->getName(); + + foreach($xml as $key => $val) + { + if (!array_key_exists($key,$this->msg)) + { + throw new RODSException("RODSPacket::fromXML failed. ". + "Possible type mismatch! expected key '$key' doesn't exists\n", + PERR_INTERNAL_ERR); + } + $this->msg[$key]=(string)$val; + } + } + */ + + public static function parseXML($xmlstr) + { + if (false == ($doc = DOMDocument::loadXML($xmlstr))) { + throw new RODSException("RODSPacket::parseXML failed. " . + "Failed to loadXML(). The xmlstr is: $xmlstr\n", + PERR_UNEXPECTED_PACKET_FORMAT); + } + + $rp_classname = "RP_" . substr($doc->tagName, 0, strlen($doc->tagName) - 3); + $packet = new $rp_classname(); + $packet->fromDOM($doc); + } + + /* + public function fromDOM(DOMNode $domnode) + { + if (!isset($this->packlets)) + return; + + $i=0; + $domnode_children=$domnode->childNodes; + + foreach($this->packlets as $packlet_key => &$packlet_val) + { + $domnode_child=$domnode_children->item($i++); + + // check if the tag names are expected + if ($domnode_child->tagName!=$packlet_key) + { + throw new RODSException("RODSPacket::fromDOM failed. ". + "Expecting packlet:$packlet_key, but got:".$domnode_child->tagName." \n", + PERR_UNEXPECTED_PACKET_FORMAT); + } + + if (is_a($packlet_val, "RODSPacket")) //if expecting sub packet + { + $packlet_val->fromDOM($domnode_child); + } + else //if expecting an string + { + + } + } + } + + */ + + public function fromSXE(SimpleXMLElement $sxe) + { + if (!isset($this->packlets)) + return; + + foreach ($this->packlets as $packlet_key => &$packlet_val) { + if ($packlet_val instanceof RODSPacket) //if expecting sub packet + { + if (!isset($sxe->$packlet_key)) { + throw new RODSException("RODSPacket(" . get_class($this) . ")::fromSXE failed. " . + "Failed to find expected packlet: '$packlet_key' \n", + "PERR_UNEXPECTED_PACKET_FORMAT"); + } + $packlet_val->fromSXE($sxe->$packlet_key); + } else + if (is_array($packlet_val)) //if expecting array + { + if (isset($sxe->$packlet_key)) { + $packlet_val = array(); + foreach ($sxe->$packlet_key as $sxe_val) { + if ((!empty($this->array_rp_type)) && + (!empty($this->array_rp_type["$packlet_key"])) + ) // if it's an array of packets + { + $class_name = $this->array_rp_type[$packlet_key]; + $sub_array_packet = new $class_name(); + $sub_array_packet->fromSXE($sxe_val); + $packlet_val[] = $sub_array_packet; + } else { + $packlet_val[] = (string)$sxe_val; + } + } + } + + } else { + if (isset($sxe->$packlet_key)) { + $packlet_val = (string)$sxe->$packlet_key; + } + } + } + /* + foreach($sxe->children() as $child) + { + $tagname=$child->getName(); + if(substr($tagname,-3,3)=="_PI") + { + $rp_classname="RP_".substr($name,0,strlen($name)-3); + $child_rp=new $rp_classname(); + $child_rp->fromSXE($child); + } + else + { + $this->packlets[$child->getName()]=(string)$child; + } + } + */ + } + + public function toDOMElement(DOMDocument $doc) + { + if (empty($this->type)) + return NULL; + + $node = $doc->createElement($this->type); + + foreach ($this->packlets as $name => $packlet) { + if ($packlet instanceof RODSPacket) //if node is a packet + { + $child_node = $packlet->toDOMElement($doc); + if (isset($child_node)) + $node->appendChild($packlet->toDOMElement($doc)); + } else + if (is_array($packlet)) //if node is an array + { + if (isset($packlet)) { + foreach ($packlet as $sub_packlet) { + if ($sub_packlet instanceof RODSPacket) //if sub_node is a packet + { + $child_node = $sub_packlet->toDOMElement($doc); + if (isset($child_node)) + $node->appendChild($sub_packlet->toDOMElement($doc)); + } else { + //echo "sub_packlet = $sub_packlet
\n"; + $node->appendChild($doc->createElement($name, htmlspecialchars($sub_packlet))); + } + } + } + } else //if node holds a string + { //echo "packlet = $packlet
\n"; + $node->appendChild($doc->createElement($name, htmlspecialchars($packlet))); + } + } + + return $node; + } + + public function __get($name) + { + if (array_key_exists($name, $this->packlets)) + return $this->packlets[$name]; + else { + debug_print_backtrace(); + throw new RODSException("RODSPacket::__get() failed. Trying to access field '$name' that doesn't exist!", + "PERR_INTERNAL_ERR"); + } + } + + public function __set($name, $val) + { + if (array_key_exists($name, $this->packlets)) + $this->packlets[$name] = $val; + else + throw new RODSException("RODSPacket::__set() failed. Trying to access field '$name' that doesn't exist!", + "PERR_INTERNAL_ERR"); + } + + /* + public static function makeStartupPack($user,$zone) + { + $msg=array(1,0,$user,$zone,$user,$zone,'rods0.5','a',NULL); + return (new RODSPacket("StartupPack_PI",$msg)); + } + */ +} + +?> \ No newline at end of file diff --git a/apps/files_external/3rdparty/irodsphp/prods/src/packet/RP_BinBytesBuf.class.php b/apps/files_external/3rdparty/irodsphp/prods/src/packet/RP_BinBytesBuf.class.php new file mode 100644 index 0000000000..8cabcd0ae4 --- /dev/null +++ b/apps/files_external/3rdparty/irodsphp/prods/src/packet/RP_BinBytesBuf.class.php @@ -0,0 +1,14 @@ + $buflen, "buf" => $buf); + parent::__construct("BinBytesBuf_PI", $packlets); + } + +} + +?> \ No newline at end of file diff --git a/apps/files_external/3rdparty/irodsphp/prods/src/packet/RP_CollInp.class.php b/apps/files_external/3rdparty/irodsphp/prods/src/packet/RP_CollInp.class.php new file mode 100644 index 0000000000..b7ad6fd0ca --- /dev/null +++ b/apps/files_external/3rdparty/irodsphp/prods/src/packet/RP_CollInp.class.php @@ -0,0 +1,19 @@ + $collName, + 'KeyValPair_PI' => $KeyValPair_PI); + parent::__construct("CollInp_PI", $packlets); + } + +} + +?> \ No newline at end of file diff --git a/apps/files_external/3rdparty/irodsphp/prods/src/packet/RP_CollOprStat.class.php b/apps/files_external/3rdparty/irodsphp/prods/src/packet/RP_CollOprStat.class.php new file mode 100644 index 0000000000..939d2e3759 --- /dev/null +++ b/apps/files_external/3rdparty/irodsphp/prods/src/packet/RP_CollOprStat.class.php @@ -0,0 +1,17 @@ + $filesCnt, "totalFileCnt" => $totalFileCnt, + 'bytesWritten' => $bytesWritten, 'lastObjPath' => $lastObjPath); + parent::__construct("CollOprStat_PI", $packlets); + } + +} + +?> \ No newline at end of file diff --git a/apps/files_external/3rdparty/irodsphp/prods/src/packet/RP_DataObjCopyInp.class.php b/apps/files_external/3rdparty/irodsphp/prods/src/packet/RP_DataObjCopyInp.class.php new file mode 100644 index 0000000000..c16b3628f5 --- /dev/null +++ b/apps/files_external/3rdparty/irodsphp/prods/src/packet/RP_DataObjCopyInp.class.php @@ -0,0 +1,19 @@ + $src, 'dest' => $dest); + parent::__construct("DataObjCopyInp_PI", $packlets); + } + +} + +?> \ No newline at end of file diff --git a/apps/files_external/3rdparty/irodsphp/prods/src/packet/RP_DataObjInp.class.php b/apps/files_external/3rdparty/irodsphp/prods/src/packet/RP_DataObjInp.class.php new file mode 100644 index 0000000000..f7a8f939b8 --- /dev/null +++ b/apps/files_external/3rdparty/irodsphp/prods/src/packet/RP_DataObjInp.class.php @@ -0,0 +1,22 @@ + $objPath, 'createMode' => $createMode, + 'openFlags' => $openFlags, 'offset' => $offset, "dataSize" => $dataSize, + "numThreads" => $numThreads, "oprType" => $oprType, + 'KeyValPair_PI' => $KeyValPair_PI); + parent::__construct("DataObjInp_PI", $packlets); + } + +} + +?> \ No newline at end of file diff --git a/apps/files_external/3rdparty/irodsphp/prods/src/packet/RP_ExecCmdOut.class.php b/apps/files_external/3rdparty/irodsphp/prods/src/packet/RP_ExecCmdOut.class.php new file mode 100644 index 0000000000..55dcb02383 --- /dev/null +++ b/apps/files_external/3rdparty/irodsphp/prods/src/packet/RP_ExecCmdOut.class.php @@ -0,0 +1,56 @@ + $buf); + parent::__construct("ExecCmdOut_PI", $packlets); + } + + public function fromSXE(SimpleXMLElement $sxe) + { + $binbytes = "BinBytesBuf_PI"; + $name = "buf"; + + if (!isset($this->packlets)) + return; + + $packlet_value = ""; + try { + foreach ($sxe->$binbytes as $binpacket) { + if (strlen($binpacket->$name) > 0) { + $decoded_value = base64_decode($binpacket->$name); + $packlet_value .= $decoded_value; + } + } + + // can't find a better way yet to get rid of the garbage on the end of the string ... + $len = strlen($packlet_value); + $cleaned_value = ""; + for ($i = 0; $i < $len; $i++) { + if (ord($packlet_value{$i}) <= 0) break; + $cleaned_value .= $packlet_value{$i}; + } + + $this->packlets[$name] = $cleaned_value; + $this->packlets["buflen"] = $i; + } catch (Exception $ex) { + $this->packlets[$name] = ""; + } + } +} + +?> diff --git a/apps/files_external/3rdparty/irodsphp/prods/src/packet/RP_ExecMyRuleInp.class.php b/apps/files_external/3rdparty/irodsphp/prods/src/packet/RP_ExecMyRuleInp.class.php new file mode 100644 index 0000000000..88a62fc2b0 --- /dev/null +++ b/apps/files_external/3rdparty/irodsphp/prods/src/packet/RP_ExecMyRuleInp.class.php @@ -0,0 +1,22 @@ + $myRule, "RHostAddr_PI" => $RHostAddr_PI, + "KeyValPair_PI" => $KeyValPair_PI, "outParamDesc" => $outParamDesc, + "MsParamArray_PI" => $MsParamArray_PI); + parent::__construct("ExecMyRuleInp_PI", $packlets); + } + +} + +?> \ No newline at end of file diff --git a/apps/files_external/3rdparty/irodsphp/prods/src/packet/RP_GenQueryInp.class.php b/apps/files_external/3rdparty/irodsphp/prods/src/packet/RP_GenQueryInp.class.php new file mode 100644 index 0000000000..2e1e29a2bf --- /dev/null +++ b/apps/files_external/3rdparty/irodsphp/prods/src/packet/RP_GenQueryInp.class.php @@ -0,0 +1,25 @@ + $maxRows, 'continueInx' => $continueInx, + 'partialStartIndex' => $partialStartIndex, 'options' => $options, + 'KeyValPair_PI' => $KeyValPair_PI, 'InxIvalPair_PI' => $InxIvalPair_PI, + 'InxValPair_PI' => $InxValPair_PI); + parent::__construct("GenQueryInp_PI", $packlets); + } + +} + +?> \ No newline at end of file diff --git a/apps/files_external/3rdparty/irodsphp/prods/src/packet/RP_GenQueryOut.class.php b/apps/files_external/3rdparty/irodsphp/prods/src/packet/RP_GenQueryOut.class.php new file mode 100644 index 0000000000..e9f31dd536 --- /dev/null +++ b/apps/files_external/3rdparty/irodsphp/prods/src/packet/RP_GenQueryOut.class.php @@ -0,0 +1,22 @@ +array_rp_type = array("SqlResult_PI" => "RP_SqlResult"); + + $packlets = array("rowCnt" => $rowCnt, 'attriCnt' => $attriCnt, + 'continueInx' => $continueInx, 'totalRowCount' => $totalRowCount, + 'SqlResult_PI' => $SqlResult_PI); + parent::__construct("GenQueryOut_PI", $packlets); + } + +} + +?> \ No newline at end of file diff --git a/apps/files_external/3rdparty/irodsphp/prods/src/packet/RP_InxIvalPair.class.php b/apps/files_external/3rdparty/irodsphp/prods/src/packet/RP_InxIvalPair.class.php new file mode 100644 index 0000000000..ac56bc93df --- /dev/null +++ b/apps/files_external/3rdparty/irodsphp/prods/src/packet/RP_InxIvalPair.class.php @@ -0,0 +1,27 @@ + $iiLen, 'inx' => $inx, 'ivalue' => $ivalue); + parent::__construct("InxIvalPair_PI", $packlets); + } + + public function fromAssocArray($array) + { + if (!empty($array)) { + $this->packlets["iiLen"] = count($array); + $this->packlets["inx"] = array_keys($array); + $this->packlets["ivalue"] = array_values($array); + } else { + $this->packlets["iiLen"] = 0; + $this->packlets["inx"] = array(); + $this->packlets["ivalue"] = array(); + } + } + +} + +?> \ No newline at end of file diff --git a/apps/files_external/3rdparty/irodsphp/prods/src/packet/RP_InxValPair.class.php b/apps/files_external/3rdparty/irodsphp/prods/src/packet/RP_InxValPair.class.php new file mode 100644 index 0000000000..787d27fd10 --- /dev/null +++ b/apps/files_external/3rdparty/irodsphp/prods/src/packet/RP_InxValPair.class.php @@ -0,0 +1,44 @@ + $isLen, 'inx' => $inx, 'svalue' => $svalue); + parent::__construct("InxValPair_PI", $packlets); + } + + public function fromAssocArray($array) + { + if (!empty($array)) { + $this->packlets["isLen"] = count($array); + $this->packlets["inx"] = array_keys($array); + $this->packlets["svalue"] = array_values($array); + } else { + $this->packlets["isLen"] = 0; + $this->packlets["inx"] = array(); + $this->packlets["svalue"] = array(); + } + } + + public function fromRODSQueryConditionArray($array) + { + $this->packlets["isLen"] = 0; + $this->packlets["inx"] = array(); + $this->packlets["svalue"] = array(); + + if (!isset($array)) return; + + $this->packlets["isLen"] = count($array); + foreach ($array as $cond) { + $this->packlets["inx"][] = $cond->name; + $this->packlets["svalue"][] = "$cond->op '$cond->value'"; + //echo "
 $cond->op '$cond->value' 
"; + } + } +} + +?> \ No newline at end of file diff --git a/apps/files_external/3rdparty/irodsphp/prods/src/packet/RP_KeyValPair.class.php b/apps/files_external/3rdparty/irodsphp/prods/src/packet/RP_KeyValPair.class.php new file mode 100644 index 0000000000..6d8dd12ff1 --- /dev/null +++ b/apps/files_external/3rdparty/irodsphp/prods/src/packet/RP_KeyValPair.class.php @@ -0,0 +1,47 @@ + $ssLen, 'keyWord' => $keyWord, + 'svalue' => $svalue); + parent::__construct("KeyValPair_PI", $packlets); + } + + public function fromAssocArray(array $array) + { + if (!empty($array)) { + $this->packlets["ssLen"] = count($array); + $this->packlets["keyWord"] = array_keys($array); + $this->packlets["svalue"] = array_values($array); + } else { + $this->packlets["ssLen"] = 0; + $this->packlets["keyWord"] = array(); + $this->packlets["svalue"] = array(); + } + } + + public function fromRODSQueryConditionArray($array) + { + $this->packlets["ssLen"] = 0; + $this->packlets["keyWord"] = array(); + $this->packlets["svalue"] = array(); + + if (!isset($array)) return; + + $this->packlets["ssLen"] = count($array); + foreach ($array as $cond) { + $this->packlets["keyWord"][] = $cond->name; + $this->packlets["svalue"][] = "$cond->op '$cond->value'"; + } + } +} + +?> \ No newline at end of file diff --git a/apps/files_external/3rdparty/irodsphp/prods/src/packet/RP_MiscSvrInfo.class.php b/apps/files_external/3rdparty/irodsphp/prods/src/packet/RP_MiscSvrInfo.class.php new file mode 100644 index 0000000000..65ee3580e9 --- /dev/null +++ b/apps/files_external/3rdparty/irodsphp/prods/src/packet/RP_MiscSvrInfo.class.php @@ -0,0 +1,17 @@ + $serverType, 'relVersion' => $relVersion, + 'apiVersion' => $apiVersion, 'rodsZone' => $rodsZone); + parent::__construct("MiscSvrInfo_PI", $packlets); + } + +} + +?> \ No newline at end of file diff --git a/apps/files_external/3rdparty/irodsphp/prods/src/packet/RP_ModAVUMetadataInp.class.php b/apps/files_external/3rdparty/irodsphp/prods/src/packet/RP_ModAVUMetadataInp.class.php new file mode 100644 index 0000000000..b67b7083d4 --- /dev/null +++ b/apps/files_external/3rdparty/irodsphp/prods/src/packet/RP_ModAVUMetadataInp.class.php @@ -0,0 +1,18 @@ + $arg0, "arg1" => $arg1, "arg2" => $arg2, + "arg3" => $arg3, "arg4" => $arg4, "arg5" => $arg5, + "arg6" => $arg6, "arg7" => $arg7, "arg8" => $arg8, "arg9" => $arg9); + parent::__construct("ModAVUMetadataInp_PI", $packlets); + } + +} + +?> \ No newline at end of file diff --git a/apps/files_external/3rdparty/irodsphp/prods/src/packet/RP_MsParam.class.php b/apps/files_external/3rdparty/irodsphp/prods/src/packet/RP_MsParam.class.php new file mode 100644 index 0000000000..abf9bc471b --- /dev/null +++ b/apps/files_external/3rdparty/irodsphp/prods/src/packet/RP_MsParam.class.php @@ -0,0 +1,45 @@ + $label, "type" => $inOutStruct->type, + $inOutStruct->type => $inOutStruct, "BinBytesBuf_PI" => $BinBytesBuf_PI); + parent::__construct("MsParam_PI", $packlets); + } + + // need to overwrite it's parent function here, since $inOutStruct->type + // can be undefined, when it's parent packet class was defined. + public function fromSXE(SimpleXMLElement $sxe) + { + if (!isset($this->packlets)) + return; + + $this->packlets["label"] = (string)$sxe->label; + $this->packlets["type"] = (string)$sxe->type; + + $typename = $this->packlets["type"]; //type of the expected packet + if (substr($typename, -3, 3) != "_PI") { + throw new RODSException("RP_MsParam::fromSXE " . + "The XML node's type is unexpected: '$typename' " . + " expecting some thing like xxx_PI", + "SYS_PACK_INSTRUCT_FORMAT_ERR"); + } + $rp_classname = "RP_" . substr($typename, 0, strlen($typename) - 3); + $inOutStruct = new $rp_classname(); + $inOutStruct->fromSXE($sxe->$typename); + $this->packlets["$typename"] = $inOutStruct; + + $this->packlets['BinBytesBuf_PI'] = new RP_BinBytesBuf(); + $this->packlets['BinBytesBuf_PI']->fromSXE($sxe->BinBytesBuf_PI); + } + +} + +?> \ No newline at end of file diff --git a/apps/files_external/3rdparty/irodsphp/prods/src/packet/RP_MsParamArray.class.php b/apps/files_external/3rdparty/irodsphp/prods/src/packet/RP_MsParamArray.class.php new file mode 100644 index 0000000000..b747c098dd --- /dev/null +++ b/apps/files_external/3rdparty/irodsphp/prods/src/packet/RP_MsParamArray.class.php @@ -0,0 +1,21 @@ +array_rp_type = array("MsParam_PI" => "RP_MsParam"); + + $packlets = array("paramLen" => count($MsParam_PI), + "oprType" => $oprType, "MsParam_PI" => $MsParam_PI); + parent::__construct("MsParamArray_PI", $packlets); + } + +} + +?> \ No newline at end of file diff --git a/apps/files_external/3rdparty/irodsphp/prods/src/packet/RP_MsgHeader.class.php b/apps/files_external/3rdparty/irodsphp/prods/src/packet/RP_MsgHeader.class.php new file mode 100644 index 0000000000..0249da9a05 --- /dev/null +++ b/apps/files_external/3rdparty/irodsphp/prods/src/packet/RP_MsgHeader.class.php @@ -0,0 +1,17 @@ + $type, "msgLen" => $msgLen, + "errorLen" => $errorLen, "bsLen" => $bsLen, "intInfo" => $intInfo); + parent::__construct("MsgHeader_PI", $packlets); + } + +} + +?> + \ No newline at end of file diff --git a/apps/files_external/3rdparty/irodsphp/prods/src/packet/RP_RHostAddr.class.php b/apps/files_external/3rdparty/irodsphp/prods/src/packet/RP_RHostAddr.class.php new file mode 100644 index 0000000000..28602f3150 --- /dev/null +++ b/apps/files_external/3rdparty/irodsphp/prods/src/packet/RP_RHostAddr.class.php @@ -0,0 +1,15 @@ + $hostAddr, "rodsZone" => $rodsZone, + "port" => $port); + parent::__construct("RHostAddr_PI", $packlets); + } + +} + +?> \ No newline at end of file diff --git a/apps/files_external/3rdparty/irodsphp/prods/src/packet/RP_RodsObjStat.class.php b/apps/files_external/3rdparty/irodsphp/prods/src/packet/RP_RodsObjStat.class.php new file mode 100644 index 0000000000..290a4c9a5b --- /dev/null +++ b/apps/files_external/3rdparty/irodsphp/prods/src/packet/RP_RodsObjStat.class.php @@ -0,0 +1,20 @@ + $objSize, 'objType' => $objType, + 'numCopies' => $numCopies, 'dataId' => $dataId, "chksum" => $chksum, + "ownerName" => $ownerName, "ownerZone" => $ownerZone, + 'createTime' => $createTime, 'modifyTime' => $modifyTime); + parent::__construct("RodsObjStat_PI", $packlets); + } + +} + +?> \ No newline at end of file diff --git a/apps/files_external/3rdparty/irodsphp/prods/src/packet/RP_STR.class.php b/apps/files_external/3rdparty/irodsphp/prods/src/packet/RP_STR.class.php new file mode 100644 index 0000000000..3f5a91a35d --- /dev/null +++ b/apps/files_external/3rdparty/irodsphp/prods/src/packet/RP_STR.class.php @@ -0,0 +1,14 @@ + $myStr); + parent::__construct("STR_PI", $packlets); + } + +} + +?> \ No newline at end of file diff --git a/apps/files_external/3rdparty/irodsphp/prods/src/packet/RP_SqlResult.class.php b/apps/files_external/3rdparty/irodsphp/prods/src/packet/RP_SqlResult.class.php new file mode 100644 index 0000000000..1950f096f1 --- /dev/null +++ b/apps/files_external/3rdparty/irodsphp/prods/src/packet/RP_SqlResult.class.php @@ -0,0 +1,15 @@ + $attriInx, 'reslen' => $reslen, 'value' => $value); + parent::__construct("SqlResult_PI", $packlets); + } + + +} + +?> \ No newline at end of file diff --git a/apps/files_external/3rdparty/irodsphp/prods/src/packet/RP_StartupPack.class.php b/apps/files_external/3rdparty/irodsphp/prods/src/packet/RP_StartupPack.class.php new file mode 100644 index 0000000000..a411bd7425 --- /dev/null +++ b/apps/files_external/3rdparty/irodsphp/prods/src/packet/RP_StartupPack.class.php @@ -0,0 +1,18 @@ + 1, "connectCnt" => 0, + "proxyUser" => $user, "proxyRcatZone" => $zone, "clientUser" => $user, + "clientRcatZone" => $zone, "relVersion" => $relVersion, + "apiVersion" => $apiVersion, "option" => $option); + parent::__construct("StartupPack_PI", $packlets); + } + +} + +?> \ No newline at end of file diff --git a/apps/files_external/3rdparty/irodsphp/prods/src/packet/RP_TransStat.class.php b/apps/files_external/3rdparty/irodsphp/prods/src/packet/RP_TransStat.class.php new file mode 100644 index 0000000000..bb591f0134 --- /dev/null +++ b/apps/files_external/3rdparty/irodsphp/prods/src/packet/RP_TransStat.class.php @@ -0,0 +1,16 @@ + $numThreads, + 'bytesWritten' => $bytesWritten); + parent::__construct("TransStat_PI", $packlets); + } + +} + +?> \ No newline at end of file diff --git a/apps/files_external/3rdparty/irodsphp/prods/src/packet/RP_Version.class.php b/apps/files_external/3rdparty/irodsphp/prods/src/packet/RP_Version.class.php new file mode 100644 index 0000000000..a08cb6cc24 --- /dev/null +++ b/apps/files_external/3rdparty/irodsphp/prods/src/packet/RP_Version.class.php @@ -0,0 +1,16 @@ + $status, "relVersion" => $relVersion, + "apiVersion" => $apiVersion); + parent::__construct("Version_PI", $packlets); + } + +} + +?> \ No newline at end of file diff --git a/apps/files_external/3rdparty/irodsphp/prods/src/packet/RP_authRequestOut.class.php b/apps/files_external/3rdparty/irodsphp/prods/src/packet/RP_authRequestOut.class.php new file mode 100644 index 0000000000..9dc8714063 --- /dev/null +++ b/apps/files_external/3rdparty/irodsphp/prods/src/packet/RP_authRequestOut.class.php @@ -0,0 +1,14 @@ + $challenge); + parent::__construct("authRequestOut_PI", $packlets); + } + +} + +?> \ No newline at end of file diff --git a/apps/files_external/3rdparty/irodsphp/prods/src/packet/RP_authResponseInp.class.php b/apps/files_external/3rdparty/irodsphp/prods/src/packet/RP_authResponseInp.class.php new file mode 100644 index 0000000000..23d754df0a --- /dev/null +++ b/apps/files_external/3rdparty/irodsphp/prods/src/packet/RP_authResponseInp.class.php @@ -0,0 +1,14 @@ + $response, "username" => $username); + parent::__construct("authResponseInp_PI", $packlets); + } + +} + +?> \ No newline at end of file diff --git a/apps/files_external/3rdparty/irodsphp/prods/src/packet/RP_dataObjCloseInp.class.php b/apps/files_external/3rdparty/irodsphp/prods/src/packet/RP_dataObjCloseInp.class.php new file mode 100644 index 0000000000..d16e1b3f3a --- /dev/null +++ b/apps/files_external/3rdparty/irodsphp/prods/src/packet/RP_dataObjCloseInp.class.php @@ -0,0 +1,16 @@ + $l1descInx, + 'bytesWritten' => $bytesWritten); + parent::__construct("dataObjCloseInp_PI", $packlets); + } + +} + +?> \ No newline at end of file diff --git a/apps/files_external/3rdparty/irodsphp/prods/src/packet/RP_dataObjReadInp.class.php b/apps/files_external/3rdparty/irodsphp/prods/src/packet/RP_dataObjReadInp.class.php new file mode 100644 index 0000000000..29bd1b68e3 --- /dev/null +++ b/apps/files_external/3rdparty/irodsphp/prods/src/packet/RP_dataObjReadInp.class.php @@ -0,0 +1,16 @@ + $l1descInx, + 'len' => $len); + parent::__construct("dataObjReadInp_PI", $packlets); + } + +} + +?> \ No newline at end of file diff --git a/apps/files_external/3rdparty/irodsphp/prods/src/packet/RP_dataObjWriteInp.class.php b/apps/files_external/3rdparty/irodsphp/prods/src/packet/RP_dataObjWriteInp.class.php new file mode 100644 index 0000000000..5327d7a893 --- /dev/null +++ b/apps/files_external/3rdparty/irodsphp/prods/src/packet/RP_dataObjWriteInp.class.php @@ -0,0 +1,16 @@ + $dataObjInx, + 'len' => $len); + parent::__construct("dataObjWriteInp_PI", $packlets); + } + +} + +?> \ No newline at end of file diff --git a/apps/files_external/3rdparty/irodsphp/prods/src/packet/RP_fileLseekInp.class.php b/apps/files_external/3rdparty/irodsphp/prods/src/packet/RP_fileLseekInp.class.php new file mode 100644 index 0000000000..e28a7b3b49 --- /dev/null +++ b/apps/files_external/3rdparty/irodsphp/prods/src/packet/RP_fileLseekInp.class.php @@ -0,0 +1,16 @@ + $fileInx, "offset" => $offset, + 'whence' => $whence); + parent::__construct("fileLseekInp_PI", $packlets); + } + +} + +?> \ No newline at end of file diff --git a/apps/files_external/3rdparty/irodsphp/prods/src/packet/RP_fileLseekOut.class.php b/apps/files_external/3rdparty/irodsphp/prods/src/packet/RP_fileLseekOut.class.php new file mode 100644 index 0000000000..cf01741bea --- /dev/null +++ b/apps/files_external/3rdparty/irodsphp/prods/src/packet/RP_fileLseekOut.class.php @@ -0,0 +1,15 @@ + $offset); + parent::__construct("fileLseekOut_PI", $packlets); + } + +} + +?> \ No newline at end of file diff --git a/apps/files_external/3rdparty/irodsphp/prods/src/packet/RP_getTempPasswordOut.class.php b/apps/files_external/3rdparty/irodsphp/prods/src/packet/RP_getTempPasswordOut.class.php new file mode 100644 index 0000000000..ba073e9793 --- /dev/null +++ b/apps/files_external/3rdparty/irodsphp/prods/src/packet/RP_getTempPasswordOut.class.php @@ -0,0 +1,14 @@ + $stringToHashWith); + parent::__construct("getTempPasswordOut_PI", $packlets); + } + +} + +?> \ No newline at end of file diff --git a/apps/files_external/3rdparty/irodsphp/prods/src/packet/RP_pamAuthRequestInp.class.php b/apps/files_external/3rdparty/irodsphp/prods/src/packet/RP_pamAuthRequestInp.class.php new file mode 100644 index 0000000000..0bbc2334a8 --- /dev/null +++ b/apps/files_external/3rdparty/irodsphp/prods/src/packet/RP_pamAuthRequestInp.class.php @@ -0,0 +1,13 @@ + $pamUser, "pamPassword" => $pamPassword, "timeToLive" => $timeToLive); + parent::__construct("pamAuthRequestInp_PI",$packlets); + } + +} +?> diff --git a/apps/files_external/3rdparty/irodsphp/prods/src/packet/RP_pamAuthRequestOut.class.php b/apps/files_external/3rdparty/irodsphp/prods/src/packet/RP_pamAuthRequestOut.class.php new file mode 100644 index 0000000000..01959954c9 --- /dev/null +++ b/apps/files_external/3rdparty/irodsphp/prods/src/packet/RP_pamAuthRequestOut.class.php @@ -0,0 +1,13 @@ + $irodsPamPassword); + parent::__construct("pamAuthRequestOut_PI",$packlets); + } + +} +?> diff --git a/apps/files_external/3rdparty/irodsphp/prods/src/packet/RP_sslEndInp.class.php b/apps/files_external/3rdparty/irodsphp/prods/src/packet/RP_sslEndInp.class.php new file mode 100644 index 0000000000..530f304860 --- /dev/null +++ b/apps/files_external/3rdparty/irodsphp/prods/src/packet/RP_sslEndInp.class.php @@ -0,0 +1,13 @@ + $arg0); + parent::__construct("sslEndInp_PI",$packlets); + } + +} +?> diff --git a/apps/files_external/3rdparty/irodsphp/prods/src/packet/RP_sslStartInp.class.php b/apps/files_external/3rdparty/irodsphp/prods/src/packet/RP_sslStartInp.class.php new file mode 100644 index 0000000000..03c8365898 --- /dev/null +++ b/apps/files_external/3rdparty/irodsphp/prods/src/packet/RP_sslStartInp.class.php @@ -0,0 +1,13 @@ + $arg0); + parent::__construct("sslStartInp_PI",$packlets); + } + +} +?> diff --git a/apps/files_external/3rdparty/irodsphp/prods/src/packet/RP_ticketAdminInp.class.php b/apps/files_external/3rdparty/irodsphp/prods/src/packet/RP_ticketAdminInp.class.php new file mode 100644 index 0000000000..ec849b68db --- /dev/null +++ b/apps/files_external/3rdparty/irodsphp/prods/src/packet/RP_ticketAdminInp.class.php @@ -0,0 +1,30 @@ + to use it, create -> to... create!, + $arg2 = '', // the actual ticket + $arg3 = '', // "read" or "write" -> in case of "create" above + $arg4 = '', // full path to the resource, e.g.: /tempZone/home/rods/as + $arg5 = '', + $arg6 = '') + { + + $packlets = array( 'arg1' => $arg1, + 'arg2' => $arg2, + 'arg3' => $arg3, + 'arg4' => $arg4, + 'arg5' => $arg5, + 'arg6' => $arg6, + ); + parent::__construct('ticketAdminInp_PI', $packlets); + } + +} \ No newline at end of file diff --git a/apps/files_external/3rdparty/irodsphp/prods/src/prods.ini b/apps/files_external/3rdparty/irodsphp/prods/src/prods.ini new file mode 100644 index 0000000000..5c81a71de7 --- /dev/null +++ b/apps/files_external/3rdparty/irodsphp/prods/src/prods.ini @@ -0,0 +1,15 @@ +; Configuration file for the Prods API + +[ssl] +; Require verification of SSL certificate used. Default "false". +;verify_peer = "true" +; Allow self-signed certificates. Requires verify_peer. Default "false". +;allow_self_signed = "true" +; Location of Certificate Authority file on local filesystem which +; should be used with verify_peer equal "true" to authenticate +; the identity of the remote peer. +;cafile = "/path/to/cert.pem" +; If cafile is not specified or if the certificate is not found there, +; the directory pointed to by capath is searched for a suitable +; certificate. capath must be a correctly hashed certificate directory. +;capath = "/path/to/certfiles" diff --git a/apps/files_external/3rdparty/irodsphp/prods/src/release_notes.txt b/apps/files_external/3rdparty/irodsphp/prods/src/release_notes.txt new file mode 100644 index 0000000000..7d892eedb6 --- /dev/null +++ b/apps/files_external/3rdparty/irodsphp/prods/src/release_notes.txt @@ -0,0 +1,31 @@ + +*'''Project''': iRODS PHP Library PRODS and PRODS Web Browser +*'''Date''': 11/26/2012 +*'''Release Version''': 3.2.0 Release +*'''git tag''': 3.2.0 + +==News== + +This is the consolidated and updated release of the PRODS PHP library for iRODS. This library provides a pure-PHP interface to the iRODS system. This library is suitable for simple and quick interfaces to the iRODS data grid, and will be maintained for stability and compatibility. If advanced or higher-performance interfaces are desired, the Jargon Java API should be considered. Note that PHP, Jython, JRuby, Groovy, and other JVM dynamic languages can be used with Jarogn. + +The PRODS PHP Web Browser is also included in this project, and remains supported. Note that the PHP Web Browser functionality has been subsumed by the idrop-web browser and idrop-swing client. + +Please go to [[https://code.renci.org/gf/project/irodsphp/] for the latest news and info. + +Note that the git repository is now the canonical version of the PHP code. The code in the iRODS SVN server is deprecated and will be taken down at the 3.0.0 release point. There may be other versions in Google Code and other places, but these should be considered obsolete. + + +==Requirements== + +==Libraries== + +==Features== + +*[#1076] irods 3.2 release activities +**Added a LICENSE.txt file at the top project level + + +==Bug Fixes== + +*[#1071] php uses self-closing tags for empty HTML tags +**Added patch suggested by community Changing line 41 in RODSPacket.class.php (in PRods) from return ($doc->saveXML($root)); to return ($doc->saveXML($root, LIBXML_NOEMPTYTAG)); \ No newline at end of file diff --git a/apps/files_external/3rdparty/irodsphp/prods/src/setRodsAPINum.php b/apps/files_external/3rdparty/irodsphp/prods/src/setRodsAPINum.php new file mode 100644 index 0000000000..382a85c051 --- /dev/null +++ b/apps/files_external/3rdparty/irodsphp/prods/src/setRodsAPINum.php @@ -0,0 +1,70 @@ + 1) { + if (empty($val1)) $val1 = trim($token); + else $val2 = trim($token); + } + } + if ((!empty($val1)) && (!empty($val2))) { + array_push($value_pairs, array($val1, $val2)); + } + } +} +var_dump($value_pairs); +foreach ($new_api_nums as $new_code_pair) { + if ((!is_array($new_code_pair)) || (count($new_code_pair) != 2)) + die("unexpected new_code_pair:$new_code_pair\n"); + array_push($value_pairs, $new_code_pair); +} + +$outputstr = " '$val2',\n"; +} +$outputstr = $outputstr . ");\n"; + +$outputstr = $outputstr . '$GLOBALS[\'PRODS_API_NUMS_REV\']=array(' . "\n"; +foreach ($value_pairs as $value_pair) { + $val1 = $value_pair[0]; + $val2 = $value_pair[1]; + $outputstr = $outputstr . " '$val2' => '$val1',\n"; +} +$outputstr = $outputstr . ");\n"; + +$outputstr = $outputstr . "?>\n"; +file_put_contents($prods_api_num_file, $outputstr); + +?> diff --git a/apps/files_external/3rdparty/irodsphp/prods/src/setRodsErrorCodes.php b/apps/files_external/3rdparty/irodsphp/prods/src/setRodsErrorCodes.php new file mode 100644 index 0000000000..d5c4377384 --- /dev/null +++ b/apps/files_external/3rdparty/irodsphp/prods/src/setRodsErrorCodes.php @@ -0,0 +1,75 @@ + 3) { + if (empty($val1)) $val1 = trim($token); + else $val2 = trim($token); + } + } + if ((!empty($val1)) && (!empty($val2))) { + array_push($value_pairs, array($val1, $val2)); + } + } +} + +foreach ($new_error_codes as $new_code_pair) { + if ((!is_array($new_code_pair)) || (count($new_code_pair) != 2)) + die("unexpected new_code_pair:$new_code_pair\n"); + array_push($value_pairs, $new_code_pair); +} + +$outputstr = " '$val2',\n"; +} +$outputstr = $outputstr . ");\n"; + +$outputstr = $outputstr . '$GLOBALS[\'PRODS_ERR_CODES_REV\']=array(' . "\n"; +foreach ($value_pairs as $value_pair) { + $val1 = $value_pair[0]; + $val2 = $value_pair[1]; + $outputstr = $outputstr . " '$val2' => '$val1',\n"; +} +$outputstr = $outputstr . ");\n"; + +$outputstr = $outputstr . "?>\n"; +file_put_contents($prods_error_table_file, $outputstr); + +?> \ No newline at end of file diff --git a/apps/files_external/3rdparty/irodsphp/prods/src/setRodsGenQueryKeyWd.php b/apps/files_external/3rdparty/irodsphp/prods/src/setRodsGenQueryKeyWd.php new file mode 100644 index 0000000000..4372a849aa --- /dev/null +++ b/apps/files_external/3rdparty/irodsphp/prods/src/setRodsGenQueryKeyWd.php @@ -0,0 +1,73 @@ + 1) { + if (empty($val1)) $val1 = trim($token); + else { + + if (($token{0} == '"') /*&&($token{strlen($token)-1}=='"')*/) { + if (empty($val2)) + $val2 = trim($token); + } + } + } + } + if ((!empty($val1)) && (!empty($val2))) { + array_push($value_pairs, array($val1, $val2)); + } + } +} +foreach ($new_genque_keywds as $new_code_pair) { + if ((!is_array($new_code_pair)) || (count($new_code_pair) != 2)) + die("unexpected new_code_pair:$new_code_pair\n"); + array_push($value_pairs, $new_code_pair); +} + +$outputstr = " $val2,\n"; +} +$outputstr = $outputstr . ");\n"; + +$outputstr = $outputstr . '$GLOBALS[\'PRODS_GENQUE_KEYWD_REV\']=array(' . "\n"; +foreach ($value_pairs as $value_pair) { + $val1 = $value_pair[0]; + $val2 = $value_pair[1]; + $outputstr = $outputstr . " $val2 => '$val1',\n"; +} +$outputstr = $outputstr . ");\n"; + +$outputstr = $outputstr . "?>\n"; +file_put_contents($prods_genque_keywd_file, $outputstr); + +?> \ No newline at end of file diff --git a/apps/files_external/3rdparty/irodsphp/prods/src/setRodsGenQueryNum.php b/apps/files_external/3rdparty/irodsphp/prods/src/setRodsGenQueryNum.php new file mode 100644 index 0000000000..03fa051f09 --- /dev/null +++ b/apps/files_external/3rdparty/irodsphp/prods/src/setRodsGenQueryNum.php @@ -0,0 +1,63 @@ + '$val2',\n"; +} +$outputstr = $outputstr . ");\n"; + +$outputstr = $outputstr . '$GLOBALS[\'PRODS_GENQUE_NUMS_REV\']=array(' . "\n"; +foreach ($value_pairs as $value_pair) { + $val1 = $value_pair[0]; + $val2 = $value_pair[1]; + $outputstr = $outputstr . " '$val2' => '$val1',\n"; +} +$outputstr = $outputstr . ");\n"; + +$outputstr = $outputstr . "?>\n"; +file_put_contents($prods_genque_num_file, $outputstr); + +?> \ No newline at end of file diff --git a/apps/files_external/3rdparty/irodsphp/prods/utilities/exif2meta.php b/apps/files_external/3rdparty/irodsphp/prods/utilities/exif2meta.php new file mode 100644 index 0000000000..9ee9495f10 --- /dev/null +++ b/apps/files_external/3rdparty/irodsphp/prods/utilities/exif2meta.php @@ -0,0 +1,145 @@ +getMeta(); + $metaalreadyset = false; + foreach ($metas as $meta) { + if ($meta->name == 'EXIF.ExifVersion') { + $metaalreadyset = true; + break; + } + } + + if ($metaalreadyset === true) { + $time = '[' . date('c') . ']'; + echo "$time 0: metadata already set for '$target_file'\n"; + exit(0); + } + + // download file from irods to tmp + $localfile = '/tmp/' . basename($target_file); + if (file_exists($localfile)) + unlink($localfile); + $irodsfile->open("r"); + $str = ''; + while ((($buffer = $irodsfile->read(1024 * 1024)) != NULL) && + (connection_status() == 0)) { + $str = $str . $buffer; + } + $irodsfile->close(); + file_put_contents($localfile, $str); + + extactExif($localfile, $irodsfile); + + if (file_exists($localfile)) + unlink($localfile); + + $time = '[' . date('c') . ']'; + echo "$time 0: '$target_file' processed!\n"; + exit(0); + +} catch (Exception $e) { + + if (file_exists($localfile)) + unlink($localfile); + + $time = '[' . date('c') . ']'; + echo "$time " . $e->getCode() . ": " . "$e"; + exit(-1); +} + + +function extactExif($localfile, $remoteRODSfile) +{ + $exif = exif_read_data($localfile, 'EXIF'); + if ($exif === false) return; + + foreach ($exif as $name => $val) { + + // replace ascii char that can't be displayed, which causes problem in irods + if ((!is_array($val)) && (is_string($val)) && + ((ord($val[0]) < 32) || (ord($val[0]) > 126)) && + ($name != 'UserComment') + ) { + $val = '__undefined__'; + } + + if ($name == 'THUMBNAIL') { + foreach ($val as $tname => $tval) + $remoteRODSfile->addMeta(new RODSMeta( + 'EXIF.THUMBNAIL.' . $tname, $tval, '')); + } else + if ($name == 'COMPUTED') { + foreach ($val as $cname => $cval) { + if ($cname == 'html') { + //skip html tag, because there is a irods server bug that corrupting string with + //double quotes: 'COMPUTED.html: width="3264" height="2448"' + } else + $remoteRODSfile->addMeta(new RODSMeta( + 'EXIF.COMPUTED.' . $cname, $cval, '')); + } + } else + if ($name == 'MakerNote') { + //skip makernote + } else + if ($name == 'ComponentsConfiguration') { + //skip ComponentsConfiguration, because there is a irods server bug that corrupting string with + + } else + if ($name == 'UserComment') { + if (($start = strpos($val, 'GCM_TAG')) !== false) { + $str = substr($val, $start + strlen('GCM_TAG')); + $gcm_tokens = explode(chr(0), $str); + $gcm_counter = 0; + foreach ($gcm_tokens as $gcm_tag) { + if ((strlen($gcm_tag) > 0) && (preg_match('/^[' . chr(32) . '-' . chr(126) . ']+$/', $gcm_tag))) { + $remoteRODSfile->addMeta(new RODSMeta( + 'EXIF.UserComment' . $gcm_counter++, $gcm_tag, '')); + } + } + } else { + if (strlen($val) < 1) + $str = ' '; + //replace no displable char + $str = preg_replace('/[^' . chr(32) . '-' . chr(126) . ']+/', ' ', $val); + $remoteRODSfile->addMeta(new RODSMeta( + 'EXIF.UserComment', $str, '')); + } + } else + if (is_array($val)) { + foreach ($val as $cname => $cval) { + $remoteRODSfile->addMeta(new RODSMeta( + "EXIF.$name." . $cname, $cval, '')); + } + } else + $remoteRODSfile->addMeta(new RODSMeta( + 'EXIF.' . $name, $val, '')); + } +} + +?> diff --git a/apps/files_external/3rdparty/irodsphp/release_notes.txt b/apps/files_external/3rdparty/irodsphp/release_notes.txt new file mode 100644 index 0000000000..9d109faf84 --- /dev/null +++ b/apps/files_external/3rdparty/irodsphp/release_notes.txt @@ -0,0 +1,14 @@ +*'''Project''': iRODS PHP Library PRODS and PRODS Web Browser +*'''Date''': 06/04/2013 +*'''Release Version''': 3.3.0-beta1 +*'''git tag''': 3.3.0-beta1 + +==News== + +The PRODS PHP Web Browser is also included in this project, and remains supported. Note that the PHP Web Browser functionality has been subsumed by the idrop-web browser and idrop-swing client. + +Please go to [[https://code.renci.org/gf/project/irodsphp/] for the latest news and info. + +Note that the git repository is now the canonical version of the PHP code. The code in the iRODS SVN server is deprecated and will be taken down at the 3.0.0 release point. There may be other versions in Google Code and other places, but these should be considered obsolete. + +Please review release notes in sub projects for details diff --git a/apps/files_external/ajax/google.php b/apps/files_external/ajax/google.php index 70adcb2c2a..e63b7cb07b 100644 --- a/apps/files_external/ajax/google.php +++ b/apps/files_external/ajax/google.php @@ -1,64 +1,42 @@ $scope, 'oauth_callback' => $callback); - $request = OAuthRequest::from_consumer_and_token($consumer, null, 'GET', $url, $params); - $request->sign_request($sigMethod, $consumer, null); - $response = send_signed_request('GET', $url, array($request->to_header()), null, false); - $token = array(); - parse_str($response, $token); - if (isset($token['oauth_token']) && isset($token['oauth_token_secret'])) { - $authUrl = 'https://www.google.com/accounts/OAuthAuthorizeToken?oauth_token='.$token['oauth_token']; - OCP\JSON::success(array('data' => array('url' => $authUrl, - 'request_token' => $token['oauth_token'], - 'request_token_secret' => $token['oauth_token_secret']))); - } else { +if (isset($_POST['client_id']) && isset($_POST['client_secret']) && isset($_POST['redirect'])) { + $client = new Google_Client(); + $client->setClientId($_POST['client_id']); + $client->setClientSecret($_POST['client_secret']); + $client->setRedirectUri($_POST['redirect']); + $client->setScopes(array('https://www.googleapis.com/auth/drive')); + if (isset($_POST['step'])) { + $step = $_POST['step']; + if ($step == 1) { + try { + $authUrl = $client->createAuthUrl(); + OCP\JSON::success(array('data' => array( + 'url' => $authUrl + ))); + } catch (Exception $exception) { OCP\JSON::error(array('data' => array( - 'message' => 'Fetching request tokens failed. Error: '.$response - ))); + 'message' => 'Step 1 failed. Exception: '.$exception->getMessage() + ))); } - break; - case 2: - if (isset($_POST['oauth_verifier']) - && isset($_POST['request_token']) - && isset($_POST['request_token_secret']) - ) { - $token = new OAuthToken($_POST['request_token'], $_POST['request_token_secret']); - $url = 'https://www.google.com/accounts/OAuthGetAccessToken'; - $request = OAuthRequest::from_consumer_and_token($consumer, $token, 'GET', $url, - array('oauth_verifier' => $_POST['oauth_verifier'])); - $request->sign_request($sigMethod, $consumer, $token); - $response = send_signed_request('GET', $url, array($request->to_header()), null, false); - $token = array(); - parse_str($response, $token); - if (isset($token['oauth_token']) && isset($token['oauth_token_secret'])) { - OCP\JSON::success(array('access_token' => $token['oauth_token'], - 'access_token_secret' => $token['oauth_token_secret'])); - } else { - OCP\JSON::error(array('data' => array( - 'message' => 'Fetching access tokens failed. Error: '.$response - ))); - } + } else if ($step == 2 && isset($_POST['code'])) { + try { + $token = $client->authenticate($_POST['code']); + OCP\JSON::success(array('data' => array( + 'token' => $token + ))); + } catch (Exception $exception) { + OCP\JSON::error(array('data' => array( + 'message' => 'Step 2 failed. Exception: '.$exception->getMessage() + ))); } - break; + } } -} +} \ No newline at end of file diff --git a/apps/files_external/appinfo/app.php b/apps/files_external/appinfo/app.php index d786c6c7a2..dd0b76ed9d 100644 --- a/apps/files_external/appinfo/app.php +++ b/apps/files_external/appinfo/app.php @@ -15,9 +15,14 @@ OC::$CLASSPATH['OC\Files\Storage\SMB'] = 'files_external/lib/smb.php'; OC::$CLASSPATH['OC\Files\Storage\AmazonS3'] = 'files_external/lib/amazons3.php'; OC::$CLASSPATH['OC\Files\Storage\Dropbox'] = 'files_external/lib/dropbox.php'; OC::$CLASSPATH['OC\Files\Storage\SFTP'] = 'files_external/lib/sftp.php'; +OC::$CLASSPATH['OC\Files\Storage\iRODS'] = 'files_external/lib/irods.php'; OC::$CLASSPATH['OC_Mount_Config'] = 'files_external/lib/config.php'; OCP\App::registerAdmin('files_external', 'settings'); if (OCP\Config::getAppValue('files_external', 'allow_user_mounting', 'yes') == 'yes') { OCP\App::registerPersonal('files_external', 'personal'); } + +// connecting hooks +OCP\Util::connectHook( 'OC_User', 'post_login', 'OC\Files\Storage\iRODS', 'login' ); + diff --git a/apps/files_external/css/settings.css b/apps/files_external/css/settings.css index 94b453793b..f2f40247b2 100644 --- a/apps/files_external/css/settings.css +++ b/apps/files_external/css/settings.css @@ -1,10 +1,24 @@ -td.status>span { display:inline-block; height:16px; width:16px; } -span.success { background-image: url('../img/success.png'); background-repeat:no-repeat; } -span.error { background-image: url('../img/error.png'); background-repeat:no-repeat; } -span.waiting { background-image: url('../img/waiting.png'); background-repeat:no-repeat; } +td.status > span { + display: inline-block; + height: 16px; + width: 16px; + vertical-align: text-bottom; +} + +span.success { + background: #37ce02; + border-radius: 8px; +} +span.error { + background: #ce3702; +} +span.waiting { + background: none; +} + td.mountPoint, td.backend { width:10em; } td.remove>img { visibility:hidden; padding-top:0.8em; } tr:hover>td.remove>img { visibility:visible; cursor:pointer; } #addMountPoint>td { border:none; } #addMountPoint>td.applicable { visibility:hidden; } -#selectBackend { margin-left:-10px; } \ No newline at end of file +#selectBackend { margin-left:-10px; } diff --git a/apps/files_external/img/error.png b/apps/files_external/img/error.png deleted file mode 100644 index e8cf45e7a4..0000000000 Binary files a/apps/files_external/img/error.png and /dev/null differ diff --git a/apps/files_external/img/success.png b/apps/files_external/img/success.png deleted file mode 100644 index 6f7022ee7f..0000000000 Binary files a/apps/files_external/img/success.png and /dev/null differ diff --git a/apps/files_external/img/waiting.png b/apps/files_external/img/waiting.png deleted file mode 100644 index 02a8cbff0d..0000000000 Binary files a/apps/files_external/img/waiting.png and /dev/null differ diff --git a/apps/files_external/js/google.js b/apps/files_external/js/google.js index 7be1b338e9..7e111a95d9 100644 --- a/apps/files_external/js/google.js +++ b/apps/files_external/js/google.js @@ -1,69 +1,89 @@ $(document).ready(function() { - $('#externalStorage tbody tr.\\\\OC\\\\Files\\\\Storage\\\\Google').each(function(index, tr) { - setupGoogleRow(tr); - }); - - $('#externalStorage').on('change', '#selectBackend', function() { - if ($(this).val() == '\\OC\\Files\\Storage\\Google') { - setupGoogleRow($('#externalStorage tbody>tr:last').prev('tr')); - } - }); - - function setupGoogleRow(tr) { - var configured = $(tr).find('[data-parameter="configured"]'); + $('#externalStorage tbody tr.\\\\OC\\\\Files\\\\Storage\\\\Google').each(function() { + var configured = $(this).find('[data-parameter="configured"]'); if ($(configured).val() == 'true') { - $(tr).find('.configuration').append(''+t('files_external', 'Access granted')+''); + $(this).find('.configuration input').attr('disabled', 'disabled'); + $(this).find('.configuration').append($('').attr('id', 'access') + .text(t('files_external', 'Access granted'))); } else { - var token = $(tr).find('[data-parameter="token"]'); - var token_secret = $(tr).find('[data-parameter="token_secret"]'); - var params = {}; - window.location.href.replace(/[?&]+([^=&]+)=([^&]*)/gi, function(m, key, value) { - params[key] = value; - }); - if (params['oauth_token'] !== undefined && params['oauth_verifier'] !== undefined && decodeURIComponent(params['oauth_token']) == $(token).val()) { - var statusSpan = $(tr).find('.status span'); - statusSpan.removeClass(); - statusSpan.addClass('waiting'); - $.post(OC.filePath('files_external', 'ajax', 'google.php'), { step: 2, oauth_verifier: params['oauth_verifier'], request_token: $(token).val(), request_token_secret: $(token_secret).val() }, function(result) { - if (result && result.status == 'success') { - $(token).val(result.access_token); - $(token_secret).val(result.access_token_secret); - $(configured).val('true'); - OC.MountConfig.saveStorage(tr); - $(tr).find('.configuration').append(''+t('files_external', 'Access granted')+''); - } else { - OC.dialogs.alert(result.data.message, t('files_external', 'Error configuring Google Drive storage')); - onGoogleInputsChange(tr); - } + var client_id = $(this).find('.configuration [data-parameter="client_id"]').val(); + var client_secret = $(this).find('.configuration [data-parameter="client_secret"]') + .val(); + if (client_id != '' && client_secret != '') { + var params = {}; + window.location.href.replace(/[?&]+([^=&]+)=([^&]*)/gi, function(m, key, value) { + params[key] = value; }); + if (params['code'] !== undefined) { + var tr = $(this); + var token = $(this).find('.configuration [data-parameter="token"]'); + var statusSpan = $(tr).find('.status span'); + statusSpan.removeClass(); + statusSpan.addClass('waiting'); + $.post(OC.filePath('files_external', 'ajax', 'google.php'), + { + step: 2, + client_id: client_id, + client_secret: client_secret, + redirect: location.protocol + '//' + location.host + location.pathname, + code: params['code'], + }, function(result) { + if (result && result.status == 'success') { + $(token).val(result.data.token); + $(configured).val('true'); + OC.MountConfig.saveStorage(tr); + $(tr).find('.configuration input').attr('disabled', 'disabled'); + $(tr).find('.configuration').append($('') + .attr('id', 'access') + .text(t('files_external', 'Access granted'))); + } else { + OC.dialogs.alert(result.data.message, + t('files_external', 'Error configuring Google Drive storage') + ); + } + } + ); + } } else { - onGoogleInputsChange(tr); + onGoogleInputsChange($(this)); } } - } - - $('#externalStorage').on('paste', 'tbody tr.\\\\OC\\\\Files\\\\Storage\\\\Google td', function() { - var tr = $(this).parent(); - setTimeout(function() { - onGoogleInputsChange(tr); - }, 20); }); - $('#externalStorage').on('keyup', 'tbody tr.\\\\OC\\\\Files\\\\Storage\\\\Google td', function() { - onGoogleInputsChange($(this).parent()); - }); + $('#externalStorage').on('paste', 'tbody tr.\\\\OC\\\\Files\\\\Storage\\\\Google td', + function() { + var tr = $(this).parent(); + setTimeout(function() { + onGoogleInputsChange(tr); + }, 20); + } + ); - $('#externalStorage').on('change', 'tbody tr.\\\\OC\\\\Files\\\\Storage\\\\Google .chzn-select', function() { - onGoogleInputsChange($(this).parent().parent()); - }); + $('#externalStorage').on('keyup', 'tbody tr.\\\\OC\\\\Files\\\\Storage\\\\Google td', + function() { + onGoogleInputsChange($(this).parent()); + } + ); + + $('#externalStorage').on('change', 'tbody tr.\\\\OC\\\\Files\\\\Storage\\\\Google .chzn-select' + , function() { + onGoogleInputsChange($(this).parent().parent()); + } + ); function onGoogleInputsChange(tr) { if ($(tr).find('[data-parameter="configured"]').val() != 'true') { var config = $(tr).find('.configuration'); - if ($(tr).find('.mountPoint input').val() != '' && ($(tr).find('.chzn-select').length == 0 || $(tr).find('.chzn-select').val() != null)) { + if ($(tr).find('.mountPoint input').val() != '' + && $(config).find('[data-parameter="client_id"]').val() != '' + && $(config).find('[data-parameter="client_secret"]').val() != '' + && ($(tr).find('.chzn-select').length == 0 + || $(tr).find('.chzn-select').val() != null)) + { if ($(tr).find('.google').length == 0) { - $(config).append(''+t('files_external', 'Grant access')+''); + $(config).append($('').addClass('button google') + .text(t('files_external', 'Grant access'))); } else { $(tr).find('.google').show(); } @@ -77,22 +97,33 @@ $(document).ready(function() { event.preventDefault(); var tr = $(this).parent().parent(); var configured = $(this).parent().find('[data-parameter="configured"]'); - var token = $(this).parent().find('[data-parameter="token"]'); - var token_secret = $(this).parent().find('[data-parameter="token_secret"]'); + var client_id = $(this).parent().find('[data-parameter="client_id"]').val(); + var client_secret = $(this).parent().find('[data-parameter="client_secret"]').val(); var statusSpan = $(tr).find('.status span'); - $.post(OC.filePath('files_external', 'ajax', 'google.php'), { step: 1, callback: location.protocol + '//' + location.host + location.pathname }, function(result) { - if (result && result.status == 'success') { - $(configured).val('false'); - $(token).val(result.data.request_token); - $(token_secret).val(result.data.request_token_secret); - OC.MountConfig.saveStorage(tr); - statusSpan.removeClass(); - statusSpan.addClass('waiting'); - window.location = result.data.url; - } else { - OC.dialogs.alert(result.data.message, t('files_external', 'Error configuring Google Drive storage')); - } - }); + if (client_id != '' && client_secret != '') { + var token = $(this).parent().find('[data-parameter="token"]'); + $.post(OC.filePath('files_external', 'ajax', 'google.php'), + { + step: 1, + client_id: client_id, + client_secret: client_secret, + redirect: location.protocol + '//' + location.host + location.pathname, + }, function(result) { + if (result && result.status == 'success') { + $(configured).val('false'); + $(token).val('false'); + OC.MountConfig.saveStorage(tr); + statusSpan.removeClass(); + statusSpan.addClass('waiting'); + window.location = result.data.url; + } else { + OC.dialogs.alert(result.data.message, + t('files_external', 'Error configuring Google Drive storage') + ); + } + } + ); + } }); -}); +}); \ No newline at end of file diff --git a/apps/files_external/l10n/es.php b/apps/files_external/l10n/es.php index f83562dd64..d145a176f7 100644 --- a/apps/files_external/l10n/es.php +++ b/apps/files_external/l10n/es.php @@ -1,12 +1,12 @@ "Acceso garantizado", +"Access granted" => "Acceso concedido", "Error configuring Dropbox storage" => "Error configurando el almacenamiento de Dropbox", -"Grant access" => "Garantizar acceso", -"Please provide a valid Dropbox app key and secret." => "Por favor , proporcione un secreto y una contraseña válida de la app Dropbox.", +"Grant access" => "Conceder acceso", +"Please provide a valid Dropbox app key and secret." => "Por favor, proporcione un una clave válida de la app Dropbox y una clave secreta.", "Error configuring Google Drive storage" => "Error configurando el almacenamiento de Google Drive", "Warning: \"smbclient\" is not installed. Mounting of CIFS/SMB shares is not possible. Please ask your system administrator to install it." => "Advertencia: El cliente smb (smbclient) no se encuentra instalado. El montado de archivos o ficheros CIFS/SMB no es posible. Por favor pida al administrador de su sistema que lo instale.", "Warning: The FTP support in PHP is not enabled or installed. Mounting of FTP shares is not possible. Please ask your system administrator to install it." => "Advertencia: El soporte de FTP en PHP no se encuentra instalado. El montado de archivos o ficheros FTP no es posible. Por favor pida al administrador de su sistema que lo instale.", -"Warning: The Curl support in PHP is not enabled or installed. Mounting of ownCloud / WebDAV or GoogleDrive is not possible. Please ask your system administrator to install it." => "Advertencia: El soporte de Curl en PHP no está activado ni instalado. El montado de ownCloud, WebDAV o GoogleDrive no es posible. Pida al administrador de su sistema que lo instale.", +"Warning: The Curl support in PHP is not enabled or installed. Mounting of ownCloud / WebDAV or GoogleDrive is not possible. Please ask your system administrator to install it." => "Advertencia: El soporte de Curl en PHP no está activado ni instalado. El montado de ownCloud, WebDAV o GoogleDrive no es posible. Pida al administrador de su sistema que lo instale.", "External Storage" => "Almacenamiento externo", "Folder name" => "Nombre de la carpeta", "External storage" => "Almacenamiento externo", @@ -19,8 +19,8 @@ "Groups" => "Grupos", "Users" => "Usuarios", "Delete" => "Eliminar", -"Enable User External Storage" => "Habilitar almacenamiento de usuario externo", +"Enable User External Storage" => "Habilitar almacenamiento externo de usuario", "Allow users to mount their own external storage" => "Permitir a los usuarios montar su propio almacenamiento externo", -"SSL root certificates" => "Raíz de certificados SSL ", +"SSL root certificates" => "Certificados raíz SSL", "Import Root Certificate" => "Importar certificado raíz" ); diff --git a/apps/files_external/l10n/es_AR.php b/apps/files_external/l10n/es_AR.php index a844615272..c1b3ac6388 100644 --- a/apps/files_external/l10n/es_AR.php +++ b/apps/files_external/l10n/es_AR.php @@ -4,9 +4,9 @@ "Grant access" => "Permitir acceso", "Please provide a valid Dropbox app key and secret." => "Por favor, proporcioná un secreto y una contraseña válida para la aplicación Dropbox.", "Error configuring Google Drive storage" => "Error al configurar el almacenamiento de Google Drive", -"Warning: \"smbclient\" is not installed. Mounting of CIFS/SMB shares is not possible. Please ask your system administrator to install it." => "Advertencia: El cliente smb (smbclient) no se encuentra instalado. El montado de archivos o ficheros CIFS/SMB no es posible. Por favor pida al administrador de su sistema que lo instale.", -"Warning: The FTP support in PHP is not enabled or installed. Mounting of FTP shares is not possible. Please ask your system administrator to install it." => "Advertencia: El soporte de FTP en PHP no se encuentra instalado. El montado de archivos o ficheros FTP no es posible. Por favor pida al administrador de su sistema que lo instale.", -"Warning: The Curl support in PHP is not enabled or installed. Mounting of ownCloud / WebDAV or GoogleDrive is not possible. Please ask your system administrator to install it." => "Advertencia: El soporte de Curl de PHP no está activado ni instalado. Montar servicios ownCloud, WebDAV y/o GoogleDrive no será posible. Pedile al administrador del sistema que lo instale.", +"Warning: \"smbclient\" is not installed. Mounting of CIFS/SMB shares is not possible. Please ask your system administrator to install it." => "Advertencia: El cliente smb \"smbclient\" no está instalado. Montar archivos CIFS/SMB no es posible. Por favor, pedile al administrador de tu sistema que lo instale.", +"Warning: The FTP support in PHP is not enabled or installed. Mounting of FTP shares is not possible. Please ask your system administrator to install it." => "Advertencia: El soporte de FTP en PHP no está instalado. Montar archivos FTP no es posible. Por favor, pedile al administrador de tu sistema que lo instale.", +"Warning: The Curl support in PHP is not enabled or installed. Mounting of ownCloud / WebDAV or GoogleDrive is not possible. Please ask your system administrator to install it." => "Advertencia: El soporte de Curl de PHP no está activo ni instalado. Montar servicios ownCloud, WebDAV y/o GoogleDrive no será posible. Pedile al administrador del sistema que lo instale.", "External Storage" => "Almacenamiento externo", "Folder name" => "Nombre de la carpeta", "External storage" => "Almacenamiento externo", diff --git a/apps/files_external/l10n/fa.php b/apps/files_external/l10n/fa.php index 1921ba9f2a..036a34c099 100644 --- a/apps/files_external/l10n/fa.php +++ b/apps/files_external/l10n/fa.php @@ -1,13 +1,26 @@ "مجوز دسترسی صادر شد", +"Error configuring Dropbox storage" => "خطا به هنگام تنظیم فضای دراپ باکس", +"Grant access" => " مجوز اعطا دسترسی", +"Please provide a valid Dropbox app key and secret." => "لطفا یک کلید و کد امنیتی صحیح دراپ باکس وارد کنید.", +"Error configuring Google Drive storage" => "خطا به هنگام تنظیم فضای Google Drive", +"Warning: \"smbclient\" is not installed. Mounting of CIFS/SMB shares is not possible. Please ask your system administrator to install it." => "خطا: \"smbclient\" نصب نشده است. نصب و راه اندازی سهام CIFS/SMB امکان پذیر نمیباشد. لطفا از مدیریت سازمان خود برای راه اندازی آن درخواست نمایید.", +"Warning: The FTP support in PHP is not enabled or installed. Mounting of FTP shares is not possible. Please ask your system administrator to install it." => "خطا: پشتیبانی FTP در PHP فعال نمی باشد یا نصب نشده است. نصب و راه اندازی از سهم های FTP امکان پذیر نمی باشد. لطفا از مدیر سیستم خود برای راه اندازی آن درخواست\nکنید.", +"Warning: The Curl support in PHP is not enabled or installed. Mounting of ownCloud / WebDAV or GoogleDrive is not possible. Please ask your system administrator to install it." => "خطا: پشتیبانی Curl فعال نمی باشد یا نصب نشده است. نصب و راه اندازی ownCloud / WebDAV یا GoogleDrive امکان پذیر نیست. لطفا از مدیر سیستم خود برای نصب آن درخواست کنید.", "External Storage" => "حافظه خارجی", +"Folder name" => "نام پوشه", +"External storage" => "حافظه خارجی", "Configuration" => "پیکربندی", "Options" => "تنظیمات", "Applicable" => "قابل اجرا", +"Add storage" => "اضافه کردن حافظه", "None set" => "تنظیم نشده", "All Users" => "تمام کاربران", "Groups" => "گروه ها", "Users" => "کاربران", "Delete" => "حذف", "Enable User External Storage" => "فعال سازی حافظه خارجی کاربر", -"Allow users to mount their own external storage" => "اجازه به کاربران برای متصل کردن منابع ذخیره ی خارجی خودشان" +"Allow users to mount their own external storage" => "اجازه به کاربران برای متصل کردن منابع ذخیره ی خارجی خودشان", +"SSL root certificates" => "گواهی های اصلی SSL ", +"Import Root Certificate" => "وارد کردن گواهی اصلی" ); diff --git a/apps/files_external/lib/amazons3.php b/apps/files_external/lib/amazons3.php index 7bcefd4176..f2dd6108b1 100644 --- a/apps/files_external/lib/amazons3.php +++ b/apps/files_external/lib/amazons3.php @@ -4,7 +4,9 @@ * ownCloud * * @author Michael Gapczynski + * @author Christian Berendt * @copyright 2012 Michael Gapczynski mtgap@owncloud.com + * @copyright 2013 Christian Berendt berendt@b1-systems.de * * This library is free software; you can redistribute it and/or * modify it under the terms of the GNU AFFERO GENERAL PUBLIC LICENSE @@ -22,164 +24,301 @@ namespace OC\Files\Storage; -require_once 'aws-sdk/sdk.class.php'; +set_include_path(get_include_path() . PATH_SEPARATOR . + \OC_App::getAppPath('files_external') . '/3rdparty/aws-sdk-php'); +require 'aws-autoloader.php'; + +use Aws\S3\S3Client; +use Aws\S3\Exception\S3Exception; class AmazonS3 extends \OC\Files\Storage\Common { - private $s3; + private $connection; private $bucket; - private $objects = array(); - private $id; + private static $tmpFiles = array(); + private $test = false; + private $timeout = 15; - private static $tempFiles = array(); + private function normalizePath($path) { + $path = trim($path, '/'); - // TODO Update to new AWS SDK + if (!$path) { + $path = '.'; + } + + return $path; + } + + private function testTimeout() { + if ($this->test) { + sleep($this->timeout); + } + } public function __construct($params) { - if (isset($params['key']) && isset($params['secret']) && isset($params['bucket'])) { - $this->id = 'amazon::' . $params['key'] . md5($params['secret']); - $this->s3 = new \AmazonS3(array('key' => $params['key'], 'secret' => $params['secret'])); - $this->bucket = $params['bucket']; - } else { - throw new \Exception(); + if (!isset($params['key']) || !isset($params['secret']) || !isset($params['bucket'])) { + throw new \Exception("Access Key, Secret and Bucket have to be configured."); } - } - private function getObject($path) { - if (array_key_exists($path, $this->objects)) { - return $this->objects[$path]; - } else { - $response = $this->s3->get_object_metadata($this->bucket, $path); - if ($response) { - $this->objects[$path] = $response; - return $response; - // This object could be a folder, a '/' must be at the end of the path - } else if (substr($path, -1) != '/') { - $response = $this->s3->get_object_metadata($this->bucket, $path . '/'); - if ($response) { - $this->objects[$path] = $response; - return $response; - } + $this->id = 'amazon::' . $params['key'] . md5($params['secret']); + + $this->bucket = $params['bucket']; + $scheme = ($params['use_ssl'] === 'false') ? 'http' : 'https'; + $this->test = ( isset($params['test'])) ? true : false; + $this->timeout = ( ! isset($params['timeout'])) ? 15 : $params['timeout']; + $params['region'] = ( ! isset($params['region'])) ? 'eu-west-1' : $params['region']; + $params['hostname'] = ( !isset($params['hostname'])) ? 's3.amazonaws.com' : $params['hostname']; + if (!isset($params['port'])) { + $params['port'] = ($params['use_ssl'] === 'false') ? 80 : 443; + } + $base_url = $scheme.'://'.$params['hostname'].':'.$params['port'].'/'; + + $this->connection = S3Client::factory(array( + 'key' => $params['key'], + 'secret' => $params['secret'], + 'base_url' => $base_url, + 'region' => $params['region'] + )); + + if (!$this->connection->isValidBucketName($this->bucket)) { + throw new \Exception("The configured bucket name is invalid."); + } + + if (!$this->connection->doesBucketExist($this->bucket)) { + try { + $result = $this->connection->createBucket(array( + 'Bucket' => $this->bucket + )); + $this->connection->waitUntilBucketExists(array( + 'Bucket' => $this->bucket, + 'waiter.interval' => 1, + 'waiter.max_attempts' => 15 + )); + $this->testTimeout(); + } catch (S3Exception $e) { + throw new \Exception("Creation of bucket failed."); } } - return false; - } - public function getId() { - return $this->id; + if (!$this->file_exists('.')) { + $result = $this->connection->putObject(array( + 'Bucket' => $this->bucket, + 'Key' => '.', + 'Body' => '', + 'ContentType' => 'httpd/unix-directory', + 'ContentLength' => 0 + )); + $this->testTimeout(); + } } public function mkdir($path) { - // Folders in Amazon S3 are 0 byte objects with a '/' at the end of the name - if (substr($path, -1) != '/') { - $path .= '/'; - } - $response = $this->s3->create_object($this->bucket, $path, array('body' => '')); - return $response->isOK(); - } + $path = $this->normalizePath($path); - public function rmdir($path) { - if (substr($path, -1) != '/') { - $path .= '/'; + if ($this->is_dir($path)) { + return false; } - return $this->unlink($path); - } - public function opendir($path) { - if ($path == '' || $path == '/') { - // Use the '/' delimiter to only fetch objects inside the folder - $opt = array('delimiter' => '/'); - } else { - if (substr($path, -1) != '/') { - $path .= '/'; - } - $opt = array('delimiter' => '/', 'prefix' => $path); + try { + $result = $this->connection->putObject(array( + 'Bucket' => $this->bucket, + 'Key' => $path . '/', + 'Body' => '', + 'ContentType' => 'httpd/unix-directory', + 'ContentLength' => 0 + )); + $this->testTimeout(); + } catch (S3Exception $e) { + return false; } - $response = $this->s3->list_objects($this->bucket, $opt); - if ($response->isOK()) { - $files = array(); - foreach ($response->body->Contents as $object) { - // The folder being opened also shows up in the list of objects, don't add it to the files - if ($object->Key != $path) { - $files[] = basename($object->Key); - } - } - // Sub folders show up as CommonPrefixes - foreach ($response->body->CommonPrefixes as $object) { - $files[] = basename($object->Prefix); - } - \OC\Files\Stream\Dir::register('amazons3' . $path, $files); - return opendir('fakedir://amazons3' . $path); - } - return false; - } - public function stat($path) { - if ($path == '' || $path == '/') { - $stat['size'] = $this->s3->get_bucket_filesize($this->bucket); - $stat['atime'] = time(); - $stat['mtime'] = $stat['atime']; - } else if ($object = $this->getObject($path)) { - $stat['size'] = $object['Size']; - $stat['atime'] = time(); - $stat['mtime'] = strtotime($object['LastModified']); - } - if (isset($stat)) { - return $stat; - } - return false; - } - - public function filetype($path) { - if ($path == '' || $path == '/') { - return 'dir'; - } else { - $object = $this->getObject($path); - if ($object) { - // Amazon S3 doesn't have typical folders, this is an alternative method to detect a folder - if (substr($object['Key'], -1) == '/' && $object['Size'] == 0) { - return 'dir'; - } else { - return 'file'; - } - } - } - return false; - } - - public function isReadable($path) { - // TODO Check acl and determine who grantee is - return true; - } - - public function isUpdatable($path) { - // TODO Check acl and determine who grantee is return true; } public function file_exists($path) { - if ($this->filetype($path) == 'dir' && substr($path, -1) != '/') { + $path = $this->normalizePath($path); + + if (!$path) { + $path = '.'; + } else if ($path != '.' && $this->is_dir($path)) { $path .= '/'; } - return $this->s3->if_object_exists($this->bucket, $path); + + try { + $result = $this->connection->doesObjectExist( + $this->bucket, + $path + ); + } catch (S3Exception $e) { + return false; + } + + return $result; + } + + + public function rmdir($path) { + $path = $this->normalizePath($path); + + if (!$this->file_exists($path)) { + return false; + } + + $dh = $this->opendir($path); + while ($file = readdir($dh)) { + if ($file === '.' || $file === '..') { + continue; + } + + if ($this->is_dir($path . '/' . $file)) { + $this->rmdir($path . '/' . $file); + } else { + $this->unlink($path . '/' . $file); + } + } + + try { + $result = $this->connection->deleteObject(array( + 'Bucket' => $this->bucket, + 'Key' => $path . '/' + )); + $this->testTimeout(); + } catch (S3Exception $e) { + return false; + } + + return true; + } + + public function opendir($path) { + $path = $this->normalizePath($path); + + if ($path === '.') { + $path = ''; + } else if ($path) { + $path .= '/'; + } + + try { + $files = array(); + $result = $this->connection->getIterator('ListObjects', array( + 'Bucket' => $this->bucket, + 'Delimiter' => '/', + 'Prefix' => $path + ), array('return_prefixes' => true)); + + foreach ($result as $object) { + $file = basename( + isset($object['Key']) ? $object['Key'] : $object['Prefix'] + ); + + if ($file != basename($path)) { + $files[] = $file; + } + } + + \OC\Files\Stream\Dir::register('amazons3' . $path, $files); + + return opendir('fakedir://amazons3' . $path); + } catch (S3Exception $e) { + return false; + } + } + + public function stat($path) { + $path = $this->normalizePath($path); + + try { + if ($this->is_dir($path) && $path != '.') { + $path .= '/'; + } + + $result = $this->connection->headObject(array( + 'Bucket' => $this->bucket, + 'Key' => $path + )); + + $stat = array(); + $stat['size'] = $result['ContentLength'] ? $result['ContentLength'] : 0; + if ($result['Metadata']['lastmodified']) { + $stat['mtime'] = strtotime($result['Metadata']['lastmodified']); + } else { + $stat['mtime'] = strtotime($result['LastModified']); + } + $stat['atime'] = time(); + + return $stat; + } catch(S3Exception $e) { + return false; + } + } + + public function filetype($path) { + $path = $this->normalizePath($path); + + try { + if ($path != '.' && $this->connection->doesObjectExist($this->bucket, $path)) { + return 'file'; + } + + if ($path != '.') { + $path .= '/'; + } + + if ($this->connection->doesObjectExist($this->bucket, $path)) { + return 'dir'; + } + } catch (S3Exception $e) { + return false; + } + + return false; + } + + public function isReadable($path) { + return true; + } + + public function isUpdatable($path) { + return true; } public function unlink($path) { - $response = $this->s3->delete_object($this->bucket, $path); - return $response->isOK(); + $path = $this->normalizePath($path); + + try { + $result = $this->connection->deleteObject(array( + 'Bucket' => $this->bucket, + 'Key' => $path + )); + $this->testTimeout(); + } catch (S3Exception $e) { + return false; + } + + return true; } public function fopen($path, $mode) { + $path = $this->normalizePath($path); + switch ($mode) { case 'r': case 'rb': $tmpFile = \OC_Helper::tmpFile(); - $handle = fopen($tmpFile, 'w'); - $response = $this->s3->get_object($this->bucket, $path, array('fileDownload' => $handle)); - if ($response->isOK()) { - return fopen($tmpFile, 'r'); + self::$tmpFiles[$tmpFile] = $path; + + try { + $result = $this->connection->getObject(array( + 'Bucket' => $this->bucket, + 'Key' => $path, + 'SaveAs' => $tmpFile + )); + } catch (S3Exception $e) { + return false; } - break; + + return fopen($tmpFile, 'r'); case 'w': case 'wb': case 'a': @@ -203,45 +342,143 @@ class AmazonS3 extends \OC\Files\Storage\Common { $source = $this->fopen($path, 'r'); file_put_contents($tmpFile, $source); } - self::$tempFiles[$tmpFile] = $path; + self::$tmpFiles[$tmpFile] = $path; + return fopen('close://' . $tmpFile, $mode); } return false; } - public function writeBack($tmpFile) { - if (isset(self::$tempFiles[$tmpFile])) { - $handle = fopen($tmpFile, 'r'); - $response = $this->s3->create_object($this->bucket, - self::$tempFiles[$tmpFile], - array('fileUpload' => $handle)); - if ($response->isOK()) { - unlink($tmpFile); - } - } - } - public function getMimeType($path) { - if ($this->filetype($path) == 'dir') { + $path = $this->normalizePath($path); + + if ($this->is_dir($path)) { return 'httpd/unix-directory'; - } else { - $object = $this->getObject($path); - if ($object) { - return $object['ContentType']; + } else if ($this->file_exists($path)) { + try { + $result = $this->connection->headObject(array( + 'Bucket' => $this->bucket, + 'Key' => $path + )); + } catch (S3Exception $e) { + return false; } + + return $result['ContentType']; } return false; } public function touch($path, $mtime = null) { - if (is_null($mtime)) { - $mtime = time(); + $path = $this->normalizePath($path); + + $metadata = array(); + if (!is_null($mtime)) { + $metadata = array('lastmodified' => $mtime); } - if ($this->filetype($path) == 'dir' && substr($path, -1) != '/') { - $path .= '/'; + + try { + if ($this->file_exists($path)) { + if ($this->is_dir($path) && $path != '.') { + $path .= '/'; + } + $result = $this->connection->copyObject(array( + 'Bucket' => $this->bucket, + 'Key' => $path, + 'Metadata' => $metadata, + 'CopySource' => $this->bucket . '/' . $path + )); + $this->testTimeout(); + } else { + $result = $this->connection->putObject(array( + 'Bucket' => $this->bucket, + 'Key' => $path, + 'Metadata' => $metadata + )); + $this->testTimeout(); + } + } catch (S3Exception $e) { + return false; } - $response = $this->s3->update_object($this->bucket, $path, array('meta' => array('LastModified' => $mtime))); - return $response->isOK(); + + return true; + } + + public function copy($path1, $path2) { + $path1 = $this->normalizePath($path1); + $path2 = $this->normalizePath($path2); + + if ($this->is_file($path1)) { + try { + $result = $this->connection->copyObject(array( + 'Bucket' => $this->bucket, + 'Key' => $path2, + 'CopySource' => $this->bucket . '/' . $path1 + )); + $this->testTimeout(); + } catch (S3Exception $e) { + return false; + } + } else { + if ($this->file_exists($path2)) { + return false; + } + + try { + $result = $this->connection->copyObject(array( + 'Bucket' => $this->bucket, + 'Key' => $path2 . '/', + 'CopySource' => $this->bucket . '/' . $path1 . '/' + )); + $this->testTimeout(); + } catch (S3Exception $e) { + return false; + } + + $dh = $this->opendir($path1); + while ($file = readdir($dh)) { + if ($file === '.' || $file === '..') { + continue; + } + + $source = $path1 . '/' . $file; + $target = $path2 . '/' . $file; + $this->copy($source, $target); + } + } + + return true; + } + + public function rename($path1, $path2) { + $path1 = $this->normalizePath($path1); + $path2 = $this->normalizePath($path2); + + if ($this->is_file($path1)) { + if ($this->copy($path1, $path2) === false) { + return false; + } + + if ($this->unlink($path1) === false) { + $this->unlink($path2); + return false; + } + } else { + if ($this->file_exists($path2)) { + return false; + } + + if ($this->copy($path1, $path2) === false) { + return false; + } + + if ($this->rmdir($path1) === false) { + $this->rmdir($path2); + return false; + } + } + + return true; } public function test() { @@ -252,4 +489,32 @@ class AmazonS3 extends \OC\Files\Storage\Common { return false; } + public function getId() { + return $this->id; + } + + public function getConnection() { + return $this->connection; + } + + public function writeBack($tmpFile) { + if (!isset(self::$tmpFiles[$tmpFile])) { + return false; + } + + try { + $result= $this->connection->putObject(array( + 'Bucket' => $this->bucket, + 'Key' => self::$tmpFiles[$tmpFile], + 'SourceFile' => $tmpFile, + 'ContentType' => \OC_Helper::getMimeType($tmpFile), + 'ContentLength' => filesize($tmpFile) + )); + $this->testTimeout(); + + unlink($tmpFile); + } catch (S3Exception $e) { + return false; + } + } } diff --git a/apps/files_external/lib/config.php b/apps/files_external/lib/config.php index 4cb9b7c8ec..e3a2cf0b30 100755 --- a/apps/files_external/lib/config.php +++ b/apps/files_external/lib/config.php @@ -34,7 +34,7 @@ class OC_Mount_Config { * If the configuration parameter should be secret, add a '*' to the beginning of the value * If the configuration parameter is a boolean, add a '!' to the beginning of the value * If the configuration parameter is optional, add a '&' to the beginning of the value - * If the configuration parameter is hidden, add a '#' to the begining of the value + * If the configuration parameter is hidden, add a '#' to the beginning of the value * @return array */ public static function getBackends() { @@ -47,9 +47,14 @@ class OC_Mount_Config { $backends['\OC\Files\Storage\AmazonS3']=array( 'backend' => 'Amazon S3', 'configuration' => array( - 'key' => 'Key', - 'secret' => '*Secret', - 'bucket' => 'Bucket')); + 'key' => 'Access Key', + 'secret' => '*Secret Key', + 'bucket' => 'Bucket', + 'hostname' => 'Hostname (optional)', + 'port' => 'Port (optional)', + 'region' => 'Region (optional)', + 'use_ssl' => '!Enable SSL', + 'use_path_style' => '!Enable Path Style')); $backends['\OC\Files\Storage\Dropbox']=array( 'backend' => 'Dropbox', @@ -74,8 +79,9 @@ class OC_Mount_Config { 'backend' => 'Google Drive', 'configuration' => array( 'configured' => '#configured', - 'token' => '#token', - 'token_secret' => '#token secret'), + 'client_id' => 'Client ID', + 'client_secret' => 'Client secret', + 'token' => '#token'), 'custom' => 'google'); $backends['\OC\Files\Storage\SWIFT']=array( @@ -113,6 +119,17 @@ class OC_Mount_Config { 'password' => '*Password', 'root' => '&Root')); + $backends['\OC\Files\Storage\iRODS']=array( + 'backend' => 'iRODS', + 'configuration' => array( + 'host' => 'Host', + 'port' => 'Port', + 'use_logon_credentials' => '!Use ownCloud login', + 'user' => 'Username', + 'password' => '*Password', + 'auth_mode' => 'Authentication Mode', + 'zone' => 'Zone')); + return($backends); } diff --git a/apps/files_external/lib/google.php b/apps/files_external/lib/google.php index ec7de3f357..ef8dd6d8ca 100644 --- a/apps/files_external/lib/google.php +++ b/apps/files_external/lib/google.php @@ -1,437 +1,409 @@ . -*/ + * ownCloud + * + * @author Michael Gapczynski + * @copyright 2012 Michael Gapczynski mtgap@owncloud.com + * + * This library is free software; you can redistribute it and/or + * modify it under the terms of the GNU AFFERO GENERAL PUBLIC LICENSE + * License as published by the Free Software Foundation; either + * version 3 of the License, or any later version. + * + * This library is distributed in the hope that it will be useful, + * but WITHOUT ANY WARRANTY; without even the implied warranty of + * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the + * GNU AFFERO GENERAL PUBLIC LICENSE for more details. + * + * You should have received a copy of the GNU Affero General Public + * License along with this library. If not, see . + */ namespace OC\Files\Storage; -require_once 'Google/common.inc.php'; +set_include_path(get_include_path().PATH_SEPARATOR. + \OC_App::getAppPath('files_external').'/3rdparty/google-api-php-client/src'); +require_once 'Google_Client.php'; +require_once 'contrib/Google_DriveService.php'; class Google extends \OC\Files\Storage\Common { - private $consumer; - private $oauth_token; - private $sig_method; - private $entries; private $id; + private $service; + private $driveFiles; private static $tempFiles = array(); + // Google Doc mimetypes + const FOLDER = 'application/vnd.google-apps.folder'; + const DOCUMENT = 'application/vnd.google-apps.document'; + const SPREADSHEET = 'application/vnd.google-apps.spreadsheet'; + const DRAWING = 'application/vnd.google-apps.drawing'; + const PRESENTATION = 'application/vnd.google-apps.presentation'; + public function __construct($params) { - if (isset($params['configured']) && $params['configured'] == 'true' + if (isset($params['configured']) && $params['configured'] === 'true' + && isset($params['client_id']) && isset($params['client_secret']) && isset($params['token']) - && isset($params['token_secret']) ) { - $consumer_key = isset($params['consumer_key']) ? $params['consumer_key'] : 'anonymous'; - $consumer_secret = isset($params['consumer_secret']) ? $params['consumer_secret'] : 'anonymous'; - $this->id = 'google::' . $params['token']; - $this->consumer = new \OAuthConsumer($consumer_key, $consumer_secret); - $this->oauth_token = new \OAuthToken($params['token'], $params['token_secret']); - $this->sig_method = new \OAuthSignatureMethod_HMAC_SHA1(); - $this->entries = array(); + $client = new \Google_Client(); + $client->setClientId($params['client_id']); + $client->setClientSecret($params['client_secret']); + $client->setScopes(array('https://www.googleapis.com/auth/drive')); + $client->setUseObjects(true); + $client->setAccessToken($params['token']); + $this->service = new \Google_DriveService($client); + $token = json_decode($params['token'], true); + $this->id = 'google::'.substr($params['client_id'], 0, 30).$token['created']; } else { throw new \Exception('Creating \OC\Files\Storage\Google storage failed'); } } - private function sendRequest($uri, - $httpMethod, - $postData = null, - $extraHeaders = null, - $isDownload = false, - $returnHeaders = false, - $isContentXML = true, - $returnHTTPCode = false) { - $uri = trim($uri); - // create an associative array from each key/value url query param pair. - $params = array(); - $pieces = explode('?', $uri); - if (isset($pieces[1])) { - $params = explode_assoc('=', '&', $pieces[1]); - } - // urlencode each url parameter key/value pair - $tempStr = $pieces[0]; - foreach ($params as $key => $value) { - $tempStr .= '&' . urlencode($key) . '=' . urlencode($value); - } - $uri = preg_replace('/&/', '?', $tempStr, 1); - $request = \OAuthRequest::from_consumer_and_token($this->consumer, - $this->oauth_token, - $httpMethod, - $uri, - $params); - $request->sign_request($this->sig_method, $this->consumer, $this->oauth_token); - $auth_header = $request->to_header(); - $headers = array($auth_header, 'GData-Version: 3.0'); - if ($isContentXML) { - $headers = array_merge($headers, array('Content-Type: application/atom+xml')); - } - if (is_array($extraHeaders)) { - $headers = array_merge($headers, $extraHeaders); - } - $curl = curl_init($uri); - curl_setopt($curl, CURLOPT_RETURNTRANSFER, true); - curl_setopt($curl, CURLOPT_FAILONERROR, false); - curl_setopt($curl, CURLOPT_SSL_VERIFYPEER, false); - switch ($httpMethod) { - case 'GET': - curl_setopt($curl, CURLOPT_HTTPHEADER, $headers); - break; - case 'POST': - curl_setopt($curl, CURLOPT_HTTPHEADER, $headers); - curl_setopt($curl, CURLOPT_POST, 1); - curl_setopt($curl, CURLOPT_POSTFIELDS, $postData); - break; - case 'PUT': - $headers[] = 'If-Match: *'; - curl_setopt($curl, CURLOPT_HTTPHEADER, $headers); - curl_setopt($curl, CURLOPT_CUSTOMREQUEST, $httpMethod); - curl_setopt($curl, CURLOPT_POSTFIELDS, $postData); - break; - case 'DELETE': - $headers[] = 'If-Match: *'; - curl_setopt($curl, CURLOPT_HTTPHEADER, $headers); - curl_setopt($curl, CURLOPT_CUSTOMREQUEST, $httpMethod); - break; - default: - curl_setopt($curl, CURLOPT_HTTPHEADER, $headers); - } - if ($isDownload) { - $tmpFile = \OC_Helper::tmpFile(); - $handle = fopen($tmpFile, 'w'); - curl_setopt($curl, CURLOPT_FILE, $handle); - } - if ($returnHeaders) { - curl_setopt($curl, CURLOPT_HEADER, true); - } - $result = curl_exec($curl); - $httpCode = curl_getinfo($curl, CURLINFO_HTTP_CODE); - curl_close($curl); - if ($result) { - // TODO https://developers.google.com/google-apps/documents-list/#handling_api_errors - // TODO Log error messages - if ($httpCode <= 308) { - if ($isDownload) { - return $tmpFile; - } else if ($returnHTTPCode) { - return array('result' => $result, 'code' => $httpCode); - } else { - return $result; - } - } - } - return false; - } - - private function getFeed($feedUri, $httpMethod, $postData = null) { - $result = $this->sendRequest($feedUri, $httpMethod, $postData); - if ($result) { - $dom = new \DOMDocument(); - $dom->loadXML($result); - return $dom; - } - return false; - } - - /** - * Base url for google docs feeds - */ - const BASE_URI='https://docs.google.com/feeds'; - - private function getResource($path) { - $file = basename($path); - if (array_key_exists($file, $this->entries)) { - return $this->entries[$file]; - } else { - // Strip the file extension; file could be a native Google Docs resource - if ($pos = strpos($file, '.')) { - $title = substr($file, 0, $pos); - $dom = $this->getFeed(self::BASE_URI.'/default/private/full?showfolders=true&title='.$title, 'GET'); - // Check if request was successful and entry exists - if ($dom && $entry = $dom->getElementsByTagName('entry')->item(0)) { - $this->entries[$file] = $entry; - return $entry; - } - } - $dom = $this->getFeed(self::BASE_URI.'/default/private/full?showfolders=true&title='.$file, 'GET'); - // Check if request was successful and entry exists - if ($dom && $entry = $dom->getElementsByTagName('entry')->item(0)) { - $this->entries[$file] = $entry; - return $entry; - } - return false; - } - } - - private function getExtension($entry) { - $mimetype = $this->getMimeType('', $entry); - switch ($mimetype) { - case 'httpd/unix-directory': - return ''; - case 'application/vnd.oasis.opendocument.text': - return 'odt'; - case 'application/vnd.oasis.opendocument.spreadsheet': - return 'ods'; - case 'application/vnd.oasis.opendocument.presentation': - return 'pptx'; - case 'text/html': - return 'html'; - default: - return 'html'; - } - } - - public function getId(){ + public function getId() { return $this->id; } - public function mkdir($path) { - $collection = dirname($path); - // Check if path parent is root directory - if ($collection == '/' || $collection == '\.' || $collection == '.') { - $uri = self::BASE_URI.'/default/private/full'; + /** + * Get the Google_DriveFile object for the specified path + * @param string $path + * @return Google_DriveFile + */ + private function getDriveFile($path) { + // Remove leading and trailing slashes + $path = trim($path, '/'); + if (isset($this->driveFiles[$path])) { + return $this->driveFiles[$path]; + } else if ($path === '') { + $root = $this->service->files->get('root'); + $this->driveFiles[$path] = $root; + return $root; } else { - // Get parent content link - $dom = $this->getResource(basename($collection)); - if ($dom) { - $uri = $dom->getElementsByTagName('content')->item(0)->getAttribute('src'); + // Google Drive SDK does not have methods for retrieving files by path + // Instead we must find the id of the parent folder of the file + $parentId = $this->getDriveFile('')->getId(); + $folderNames = explode('/', $path); + $path = ''; + // Loop through each folder of this path to get to the file + foreach ($folderNames as $name) { + // Reconstruct path from beginning + if ($path === '') { + $path .= $name; + } else { + $path .= '/'.$name; + } + if (isset($this->driveFiles[$path])) { + $parentId = $this->driveFiles[$path]->getId(); + } else { + $q = "title='".$name."' and '".$parentId."' in parents and trashed = false"; + $result = $this->service->files->listFiles(array('q' => $q))->getItems(); + if (!empty($result)) { + // Google Drive allows files with the same name, ownCloud doesn't + if (count($result) > 1) { + $this->onDuplicateFileDetected($path); + return false; + } else { + $file = current($result); + $this->driveFiles[$path] = $file; + $parentId = $file->getId(); + } + } else { + // Google Docs have no extension in their title, so try without extension + $pos = strrpos($path, '.'); + if ($pos !== false) { + $pathWithoutExt = substr($path, 0, $pos); + $file = $this->getDriveFile($pathWithoutExt); + if ($file) { + // Switch cached Google_DriveFile to the correct index + unset($this->driveFiles[$pathWithoutExt]); + $this->driveFiles[$path] = $file; + $parentId = $file->getId(); + } else { + return false; + } + } else { + return false; + } + } + } + } + return $this->driveFiles[$path]; + } + } + + /** + * Set the Google_DriveFile object in the cache + * @param string $path + * @param Google_DriveFile|false $file + */ + private function setDriveFile($path, $file) { + $path = trim($path, '/'); + $this->driveFiles[$path] = $file; + if ($file === false) { + // Set all child paths as false + $len = strlen($path); + foreach ($this->driveFiles as $key => $file) { + if (substr($key, 0, $len) === $path) { + $this->driveFiles[$key] = false; + } } } - if (isset($uri)) { - $title = basename($path); - // Construct post data - $postData = ''; - $postData .= ''; - $postData .= ''; - $postData .= ''; - $dom = $this->sendRequest($uri, 'POST', $postData); - if ($dom) { - return true; + } + + /** + * Write a log message to inform about duplicate file names + * @param string $path + */ + private function onDuplicateFileDetected($path) { + $about = $this->service->about->get(); + $user = $about->getName(); + \OCP\Util::writeLog('files_external', + 'Ignoring duplicate file name: '.$path.' on Google Drive for Google user: '.$user, + \OCP\Util::INFO + ); + } + + /** + * Generate file extension for a Google Doc, choosing Open Document formats for download + * @param string $mimetype + * @return string + */ + private function getGoogleDocExtension($mimetype) { + if ($mimetype === self::DOCUMENT) { + return 'odt'; + } else if ($mimetype === self::SPREADSHEET) { + return 'ods'; + } else if ($mimetype === self::DRAWING) { + return 'jpg'; + } else if ($mimetype === self::PRESENTATION) { + // Download as .odp is not available + return 'pdf'; + } else { + return ''; + } + } + + public function mkdir($path) { + if (!$this->is_dir($path)) { + $parentFolder = $this->getDriveFile(dirname($path)); + if ($parentFolder) { + $folder = new \Google_DriveFile(); + $folder->setTitle(basename($path)); + $folder->setMimeType(self::FOLDER); + $parent = new \Google_ParentReference(); + $parent->setId($parentFolder->getId()); + $folder->setParents(array($parent)); + $result = $this->service->files->insert($folder); + if ($result) { + $this->setDriveFile($path, $result); + } + return (bool)$result; } } return false; } public function rmdir($path) { - return $this->unlink($path); + if (trim($path, '/') === '') { + $dir = $this->opendir($path); + while ($file = readdir($dir)) { + if (!\OC\Files\Filesystem::isIgnoredDir($file)) { + if (!$this->unlink($path.'/'.$file)) { + return false; + } + } + } + closedir($dir); + $this->driveFiles = array(); + return true; + } else { + return $this->unlink($path); + } } public function opendir($path) { - if ($path == '' || $path == '/') { - $next = self::BASE_URI.'/default/private/full/folder%3Aroot/contents'; + // Remove leading and trailing slashes + $path = trim($path, '/'); + $folder = $this->getDriveFile($path); + if ($folder) { + $files = array(); + $duplicates = array(); + $pageToken = true; + while ($pageToken) { + $params = array(); + if ($pageToken !== true) { + $params['pageToken'] = $pageToken; + } + $params['q'] = "'".$folder->getId()."' in parents and trashed = false"; + $children = $this->service->files->listFiles($params); + foreach ($children->getItems() as $child) { + $name = $child->getTitle(); + // Check if this is a Google Doc i.e. no extension in name + if ($child->getFileExtension() === '' + && $child->getMimeType() !== self::FOLDER + ) { + $name .= '.'.$this->getGoogleDocExtension($child->getMimeType()); + } + if ($path === '') { + $filepath = $name; + } else { + $filepath = $path.'/'.$name; + } + // Google Drive allows files with the same name, ownCloud doesn't + // Prevent opendir() from returning any duplicate files + $key = array_search($name, $files); + if ($key !== false || isset($duplicates[$filepath])) { + if (!isset($duplicates[$filepath])) { + $duplicates[$filepath] = true; + $this->setDriveFile($filepath, false); + unset($files[$key]); + $this->onDuplicateFileDetected($filepath); + } + } else { + // Cache the Google_DriveFile for future use + $this->setDriveFile($filepath, $child); + $files[] = $name; + } + } + $pageToken = $children->getNextPageToken(); + } + \OC\Files\Stream\Dir::register('google'.$path, $files); + return opendir('fakedir://google'.$path); } else { - $entry = $this->getResource($path); - if ($entry) { - $next = $entry->getElementsByTagName('content')->item(0)->getAttribute('src'); + return false; + } + } + + public function stat($path) { + $file = $this->getDriveFile($path); + if ($file) { + $stat = array(); + if ($this->filetype($path) === 'dir') { + $stat['size'] = 0; + } else { + // Check if this is a Google Doc + if ($this->getMimeType($path) !== $file->getMimeType()) { + // Return unknown file size + $stat['size'] = \OC\Files\FREE_SPACE_UNKNOWN; + } else { + $stat['size'] = $file->getFileSize(); + } + } + $stat['atime'] = strtotime($file->getLastViewedByMeDate()); + $stat['mtime'] = strtotime($file->getModifiedDate()); + $stat['ctime'] = strtotime($file->getCreatedDate()); + return $stat; + } else { + return false; + } + } + + public function filetype($path) { + if ($path === '') { + return 'dir'; + } else { + $file = $this->getDriveFile($path); + if ($file) { + if ($file->getMimeType() === self::FOLDER) { + return 'dir'; + } else { + return 'file'; + } } else { return false; } } - $files = array(); - while ($next) { - $dom = $this->getFeed($next, 'GET'); - $links = $dom->getElementsByTagName('link'); - foreach ($links as $link) { - if ($link->getAttribute('rel') == 'next') { - $next = $link->getAttribute('src'); - break; - } else { - $next = false; - } - } - $entries = $dom->getElementsByTagName('entry'); - foreach ($entries as $entry) { - $name = $entry->getElementsByTagName('title')->item(0)->nodeValue; - // Google Docs resources don't always include extensions in title - if ( ! strpos($name, '.')) { - $extension = $this->getExtension($entry); - if ($extension != '') { - $name .= '.'.$extension; - } - } - $files[] = basename($name); - // Cache entry for future use - $this->entries[$name] = $entry; - } - } - \OC\Files\Stream\Dir::register('google'.$path, $files); - return opendir('fakedir://google'.$path); - } - - public function stat($path) { - if ($path == '' || $path == '/') { - $stat['size'] = $this->free_space($path); - $stat['atime'] = time(); - $stat['mtime'] = time(); - $stat['ctime'] = time(); - } else { - $entry = $this->getResource($path); - if ($entry) { - // NOTE: Native resources don't have a file size - $stat['size'] = $entry->getElementsByTagNameNS('http://schemas.google.com/g/2005', - 'quotaBytesUsed')->item(0)->nodeValue; - //if (isset($atime = $entry->getElementsByTagNameNS('http://schemas.google.com/g/2005', - // 'lastViewed')->item(0)->nodeValue)) - //$stat['atime'] = strtotime($entry->getElementsByTagNameNS('http://schemas.google.com/g/2005', - // 'lastViewed')->item(0)->nodeValue); - $stat['mtime'] = strtotime($entry->getElementsByTagName('updated')->item(0)->nodeValue); - } - } - if (isset($stat)) { - return $stat; - } - return false; - } - - public function filetype($path) { - if ($path == '' || $path == '/') { - return 'dir'; - } else { - $entry = $this->getResource($path); - if ($entry) { - $categories = $entry->getElementsByTagName('category'); - foreach ($categories as $category) { - if ($category->getAttribute('scheme') == 'http://schemas.google.com/g/2005#kind') { - $type = $category->getAttribute('label'); - if (strlen(strstr($type, 'folder')) > 0) { - return 'dir'; - } else { - return 'file'; - } - } - } - } - } - return false; } public function isReadable($path) { - return true; + return $this->file_exists($path); } public function isUpdatable($path) { - if ($path == '' || $path == '/') { - return true; + $file = $this->getDriveFile($path); + if ($file) { + return $file->getEditable(); } else { - $entry = $this->getResource($path); - if ($entry) { - // Check if edit or edit-media links exist - $links = $entry->getElementsByTagName('link'); - foreach ($links as $link) { - if ($link->getAttribute('rel') == 'edit') { - return true; - } else if ($link->getAttribute('rel') == 'edit-media') { - return true; - } - } - } + return false; } - return false; } public function file_exists($path) { - if ($path == '' || $path == '/') { - return true; - } else if ($this->getResource($path)) { - return true; - } - return false; + return (bool)$this->getDriveFile($path); } public function unlink($path) { - // Get resource self link to trash resource - $entry = $this->getResource($path); - if ($entry) { - $links = $entry->getElementsByTagName('link'); - foreach ($links as $link) { - if ($link->getAttribute('rel') == 'self') { - $uri = $link->getAttribute('href'); - break; - } + $file = $this->getDriveFile($path); + if ($file) { + $result = $this->service->files->trash($file->getId()); + if ($result) { + $this->setDriveFile($path, false); } + return (bool)$result; + } else { + return false; } - if (isset($uri)) { - $this->sendRequest($uri, 'DELETE'); - return true; - } - return false; } public function rename($path1, $path2) { - $entry = $this->getResource($path1); - if ($entry) { - $collection = dirname($path2); - if (dirname($path1) == $collection) { - // Get resource edit link to rename resource - $etag = $entry->getAttribute('gd:etag'); - $links = $entry->getElementsByTagName('link'); - foreach ($links as $link) { - if ($link->getAttribute('rel') == 'edit') { - $uri = $link->getAttribute('href'); - break; - } - } - $title = basename($path2); - // Construct post data - $postData = ''; - $postData .= ''; - $postData .= ''.$title.''; - $postData .= ''; - $this->sendRequest($uri, 'PUT', $postData); - return true; + $file = $this->getDriveFile($path1); + if ($file) { + if (dirname($path1) === dirname($path2)) { + $file->setTitle(basename(($path2))); } else { - // Move to different collection - $collectionEntry = $this->getResource($collection); - if ($collectionEntry) { - $feedUri = $collectionEntry->getElementsByTagName('content')->item(0)->getAttribute('src'); - // Construct post data - $postData = ''; - $postData .= ''; - $postData .= ''.$entry->getElementsByTagName('id')->item(0).''; - $postData .= ''; - $this->sendRequest($feedUri, 'POST', $postData); - return true; + // Change file parent + $parentFolder2 = $this->getDriveFile(dirname($path2)); + if ($parentFolder2) { + $parent = new \Google_ParentReference(); + $parent->setId($parentFolder2->getId()); + $file->setParents(array($parent)); + } else { + return false; } } + $result = $this->service->files->patch($file->getId(), $file); + if ($result) { + $this->setDriveFile($path1, false); + $this->setDriveFile($path2, $result); + } + return (bool)$result; + } else { + return false; } - return false; } public function fopen($path, $mode) { + $pos = strrpos($path, '.'); + if ($pos !== false) { + $ext = substr($path, $pos); + } else { + $ext = ''; + } switch ($mode) { case 'r': case 'rb': - $entry = $this->getResource($path); - if ($entry) { - $extension = $this->getExtension($entry); - $downloadUri = $entry->getElementsByTagName('content')->item(0)->getAttribute('src'); - // TODO Non-native documents don't need these additional parameters - $downloadUri .= '&exportFormat='.$extension.'&format='.$extension; - $tmpFile = $this->sendRequest($downloadUri, 'GET', null, null, true); - return fopen($tmpFile, 'r'); + $file = $this->getDriveFile($path); + if ($file) { + $exportLinks = $file->getExportLinks(); + $mimetype = $this->getMimeType($path); + $downloadUrl = null; + if ($exportLinks && isset($exportLinks[$mimetype])) { + $downloadUrl = $exportLinks[$mimetype]; + } else { + $downloadUrl = $file->getDownloadUrl(); + } + if (isset($downloadUrl)) { + $request = new \Google_HttpRequest($downloadUrl, 'GET', null, null); + $httpRequest = \Google_Client::$io->authenticatedRequest($request); + if ($httpRequest->getResponseHttpCode() == 200) { + $tmpFile = \OC_Helper::tmpFile($ext); + $data = $httpRequest->getResponseBody(); + file_put_contents($tmpFile, $data); + return fopen($tmpFile, $mode); + } + } } + return false; case 'w': case 'wb': case 'a': @@ -444,156 +416,106 @@ class Google extends \OC\Files\Storage\Common { case 'x+': case 'c': case 'c+': - if (strrpos($path, '.') !== false) { - $ext = substr($path, strrpos($path, '.')); - } else { - $ext = ''; - } $tmpFile = \OC_Helper::tmpFile($ext); \OC\Files\Stream\Close::registerCallback($tmpFile, array($this, 'writeBack')); if ($this->file_exists($path)) { - $source = $this->fopen($path, 'r'); + $source = $this->fopen($path, 'rb'); file_put_contents($tmpFile, $source); } self::$tempFiles[$tmpFile] = $path; return fopen('close://'.$tmpFile, $mode); } - return false; } public function writeBack($tmpFile) { if (isset(self::$tempFiles[$tmpFile])) { - $this->uploadFile($tmpFile, self::$tempFiles[$tmpFile]); + $path = self::$tempFiles[$tmpFile]; + $parentFolder = $this->getDriveFile(dirname($path)); + if ($parentFolder) { + // TODO Research resumable upload + $mimetype = \OC_Helper::getMimeType($tmpFile); + $data = file_get_contents($tmpFile); + $params = array( + 'data' => $data, + 'mimeType' => $mimetype, + ); + $result = false; + if ($this->file_exists($path)) { + $file = $this->getDriveFile($path); + $result = $this->service->files->update($file->getId(), $file, $params); + } else { + $file = new \Google_DriveFile(); + $file->setTitle(basename($path)); + $file->setMimeType($mimetype); + $parent = new \Google_ParentReference(); + $parent->setId($parentFolder->getId()); + $file->setParents(array($parent)); + $result = $this->service->files->insert($file, $params); + } + if ($result) { + $this->setDriveFile($path, $result); + } + } unlink($tmpFile); } } - private function uploadFile($path, $target) { - $entry = $this->getResource($target); - if ( ! $entry) { - if (dirname($target) == '.' || dirname($target) == '/') { - $uploadUri = self::BASE_URI.'/upload/create-session/default/private/full/folder%3Aroot/contents'; - } else { - $entry = $this->getResource(dirname($target)); - } - } - if ( ! isset($uploadUri) && $entry) { - $links = $entry->getElementsByTagName('link'); - foreach ($links as $link) { - if ($link->getAttribute('rel') == 'http://schemas.google.com/g/2005#resumable-create-media') { - $uploadUri = $link->getAttribute('href'); - break; - } - } - } - if (isset($uploadUri) && $handle = fopen($path, 'r')) { - $uploadUri .= '?convert=false'; - $mimetype = \OC_Helper::getMimeType($path); - $size = filesize($path); - $headers = array('X-Upload-Content-Type: ' => $mimetype, 'X-Upload-Content-Length: ' => $size); - $postData = ''; - $postData .= ''; - $postData .= ''.basename($target).''; - $postData .= ''; - $result = $this->sendRequest($uploadUri, 'POST', $postData, $headers, false, true); - if ($result) { - // Get location to upload file - if (preg_match('@^Location: (.*)$@m', $result, $matches)) { - $uploadUri = trim($matches[1]); - } - } else { - return false; - } - // 512 kB chunks - $chunkSize = 524288; - $i = 0; - while (!feof($handle)) { - if ($i + $chunkSize > $size) { - if ($i == 0) { - $chunkSize = $size; - } else { - $chunkSize = $size % $i; - } - } - $end = $i + $chunkSize - 1; - $headers = array('Content-Length: '.$chunkSize, - 'Content-Type: '.$mimetype, - 'Content-Range: bytes '.$i.'-'.$end.'/'.$size); - $postData = fread($handle, $chunkSize); - $result = $this->sendRequest($uploadUri, 'PUT', $postData, $headers, false, true, false, true); - if ($result['code'] == '308') { - if (preg_match('@^Location: (.*)$@m', $result['result'], $matches)) { - // Get next location to upload file chunk - $uploadUri = trim($matches[1]); - } - $i += $chunkSize; - } else { - return false; - } - } - // TODO Wait for resource entry - } - } - - public function getMimeType($path, $entry = null) { - // Entry can be passed, because extension is required for opendir - // and the entry can't be cached without the extension - if ($entry == null) { - if ($path == '' || $path == '/') { + public function getMimeType($path) { + $file = $this->getDriveFile($path); + if ($file) { + $mimetype = $file->getMimeType(); + // Convert Google Doc mimetypes, choosing Open Document formats for download + if ($mimetype === self::FOLDER) { return 'httpd/unix-directory'; + } else if ($mimetype === self::DOCUMENT) { + return 'application/vnd.oasis.opendocument.text'; + } else if ($mimetype === self::SPREADSHEET) { + return 'application/x-vnd.oasis.opendocument.spreadsheet'; + } else if ($mimetype === self::DRAWING) { + return 'image/jpeg'; + } else if ($mimetype === self::PRESENTATION) { + // Download as .odp is not available + return 'application/pdf'; } else { - $entry = $this->getResource($path); + return $mimetype; } + } else { + return false; } - if ($entry) { - $mimetype = $entry->getElementsByTagName('content')->item(0)->getAttribute('type'); - // Native Google Docs resources often default to text/html, - // but it may be more useful to default to a corresponding ODF mimetype - // Collections get reported as application/atom+xml, - // make sure it actually is a folder and fix the mimetype - if ($mimetype == 'text/html' || $mimetype == 'application/atom+xml;type=feed') { - $categories = $entry->getElementsByTagName('category'); - foreach ($categories as $category) { - if ($category->getAttribute('scheme') == 'http://schemas.google.com/g/2005#kind') { - $type = $category->getAttribute('label'); - if (strlen(strstr($type, 'folder')) > 0) { - return 'httpd/unix-directory'; - } else if (strlen(strstr($type, 'document')) > 0) { - return 'application/vnd.oasis.opendocument.text'; - } else if (strlen(strstr($type, 'spreadsheet')) > 0) { - return 'application/vnd.oasis.opendocument.spreadsheet'; - } else if (strlen(strstr($type, 'presentation')) > 0) { - return 'application/vnd.oasis.opendocument.presentation'; - } else if (strlen(strstr($type, 'drawing')) > 0) { - return 'application/vnd.oasis.opendocument.graphics'; - } else { - // If nothing matches return text/html, - // all native Google Docs resources can be exported as text/html - return 'text/html'; - } - } - } - } - return $mimetype; - } - return false; } public function free_space($path) { - $dom = $this->getFeed(self::BASE_URI.'/metadata/default', 'GET'); - if ($dom) { - // NOTE: Native Google Docs resources don't count towards quota - $total = $dom->getElementsByTagNameNS('http://schemas.google.com/g/2005', - 'quotaBytesTotal')->item(0)->nodeValue; - $used = $dom->getElementsByTagNameNS('http://schemas.google.com/g/2005', - 'quotaBytesUsed')->item(0)->nodeValue; - return $total - $used; - } - return false; + $about = $this->service->about->get(); + return $about->getQuotaBytesTotal() - $about->getQuotaBytesUsed(); } public function touch($path, $mtime = null) { - + $file = $this->getDriveFile($path); + $result = false; + if ($file) { + if (isset($mtime)) { + $file->setModifiedDate($mtime); + $result = $this->service->files->patch($file->getId(), $file, array( + 'setModifiedDate' => true, + )); + } else { + $result = $this->service->files->touch($file->getId()); + } + } else { + $parentFolder = $this->getDriveFile(dirname($path)); + if ($parentFolder) { + $file = new \Google_DriveFile(); + $file->setTitle(basename($path)); + $parent = new \Google_ParentReference(); + $parent->setId($parentFolder->getId()); + $file->setParents(array($parent)); + $result = $this->service->files->insert($file); + } + } + if ($result) { + $this->setDriveFile($path, $result); + } + return (bool)$result; } public function test() { @@ -603,4 +525,66 @@ class Google extends \OC\Files\Storage\Common { return false; } -} + public function hasUpdated($path, $time) { + if ($this->is_file($path)) { + return parent::hasUpdated($path, $time); + } else { + // Google Drive doesn't change modified times of folders when files inside are updated + // Instead we use the Changes API to see if folders have been updated, and it's a pain + $folder = $this->getDriveFile($path); + if ($folder) { + $result = false; + $folderId = $folder->getId(); + $startChangeId = \OC_Appconfig::getValue('files_external', $this->getId().'cId'); + $params = array( + 'includeDeleted' => true, + 'includeSubscribed' => true, + ); + if (isset($startChangeId)) { + $startChangeId = (int)$startChangeId; + $largestChangeId = $startChangeId; + $params['startChangeId'] = $startChangeId + 1; + } else { + $largestChangeId = 0; + } + $pageToken = true; + while ($pageToken) { + if ($pageToken !== true) { + $params['pageToken'] = $pageToken; + } + $changes = $this->service->changes->listChanges($params); + if ($largestChangeId === 0 || $largestChangeId === $startChangeId) { + $largestChangeId = $changes->getLargestChangeId(); + } + if (isset($startChangeId)) { + // Check if a file in this folder has been updated + // There is no way to filter by folder at the API level... + foreach ($changes->getItems() as $change) { + $file = $change->getFile(); + if ($file) { + foreach ($file->getParents() as $parent) { + if ($parent->getId() === $folderId) { + $result = true; + // Check if there are changes in different folders + } else if ($change->getId() <= $largestChangeId) { + // Decrement id so this change is fetched when called again + $largestChangeId = $change->getId(); + $largestChangeId--; + } + } + } + } + $pageToken = $changes->getNextPageToken(); + } else { + // Assuming the initial scan just occurred and changes are negligible + break; + } + } + \OC_Appconfig::setValue('files_external', $this->getId().'cId', $largestChangeId); + return $result; + } + } + return false; + } + +} \ No newline at end of file diff --git a/apps/files_external/lib/irods.php b/apps/files_external/lib/irods.php new file mode 100644 index 0000000000..a343ac5fb2 --- /dev/null +++ b/apps/files_external/lib/irods.php @@ -0,0 +1,151 @@ + + * This file is licensed under the Affero General Public License version 3 or + * later. + * See the COPYING-README file. + */ + +namespace OC\Files\Storage; + +set_include_path(get_include_path() . PATH_SEPARATOR . + \OC_App::getAppPath('files_external') . '/3rdparty/irodsphp/prods/src'); + +ob_start(); +require_once 'ProdsConfig.inc.php'; +require_once 'ProdsStreamer.class.php'; +ob_end_clean(); + +class iRODS extends \OC\Files\Storage\StreamWrapper{ + private $password; + private $user; + private $host; + private $port; + private $zone; + private $root; + private $use_logon_credentials; + private $auth_mode; + + public function __construct($params) { + if (isset($params['host']) && isset($params['user']) && isset($params['password'])) { + $this->host = $params['host']; + $this->port = $params['port']; + $this->user = $params['user']; + $this->password = $params['password']; + $this->use_logon_credentials = $params['use_logon_credentials']; + $this->zone = $params['zone']; + $this->auth_mode = isset($params['auth_mode']) ? $params['auth_mode'] : ''; + + $this->root = isset($params['root']) ? $params['root'] : '/'; + if ( ! $this->root || $this->root[0] !== '/') { + $this->root='/'.$this->root; + } + + // take user and password from the session + if ($this->use_logon_credentials && isset($_SESSION['irods-credentials']) ) + { + $this->user = $_SESSION['irods-credentials']['uid']; + $this->password = $_SESSION['irods-credentials']['password']; + } + + //create the root folder if necessary + if ( ! $this->is_dir('')) { + $this->mkdir(''); + } + } else { + throw new \Exception(); + } + + } + + public static function login( $params ) { + $_SESSION['irods-credentials'] = $params; + } + + public function getId(){ + return 'irods::' . $this->user . '@' . $this->host . '/' . $this->root; + } + + /** + * construct the rods url + * @param string $path + * @return string + */ + public function constructUrl($path) { + $path = rtrim($path,'/'); + if ( $path === '' || $path[0] !== '/') { + $path = '/'.$path; + } + + // adding auth method + $userWithZone = $this->user.'.'.$this->zone; + if ($this->auth_mode !== '') { + $userWithZone .= '.'.$this->auth_mode; + } + + // url wrapper schema is named rods + return 'rods://'.$userWithZone.':'.$this->password.'@'.$this->host.':'.$this->port.$this->root.$path; + } + + public function filetype($path) { + return @filetype($this->constructUrl($path)); + } + + public function mkdir($path) { + return @mkdir($this->constructUrl($path)); + } + + public function touch($path, $mtime=null) { + + // we cannot set a time + if ($mtime != null) { + return false; + } + + $path = $this->constructUrl($path); + + // if the file doesn't exist we create it + if (!file_exists($path)) { + file_put_contents($path, ''); + return true; + } + + // mtime updates are not supported + return false; + } + + /** + * check if a file or folder has been updated since $time + * @param string $path + * @param int $time + * @return bool + */ + public function hasUpdated($path,$time) { + // this it a work around for folder mtimes -> we loop it's content + if ( $this->is_dir($path)) { + $actualTime=$this->collectionMTime($path); + return $actualTime>$time; + } + + $actualTime=$this->filemtime($path); + return $actualTime>$time; + } + + /** + * get the best guess for the modification time of an iRODS collection + */ + private function collectionMTime($path) { + $dh = $this->opendir($path); + $lastCTime = $this->filemtime($path); + while ($file = readdir($dh)) { + if ($file != '.' and $file != '..') { + $time = $this->filemtime($file); + if ($time > $lastCTime) { + $lastCTime = $time; + } + } + } + return $lastCTime; + } + +} diff --git a/apps/files_external/lib/streamwrapper.php b/apps/files_external/lib/streamwrapper.php index 09041f335b..beb4ec5605 100644 --- a/apps/files_external/lib/streamwrapper.php +++ b/apps/files_external/lib/streamwrapper.php @@ -60,6 +60,8 @@ abstract class StreamWrapper extends Common{ $fh = $this->fopen($path, 'a'); fwrite($fh, ''); fclose($fh); + + return true; } else { return false;//not supported } diff --git a/apps/files_external/lib/webdav.php b/apps/files_external/lib/webdav.php index c2fe7c67b5..4869322d87 100644 --- a/apps/files_external/lib/webdav.php +++ b/apps/files_external/lib/webdav.php @@ -234,7 +234,13 @@ class DAV extends \OC\Files\Storage\Common{ $mtime=time(); } $path=$this->cleanPath($path); - $this->client->proppatch($path, array('{DAV:}lastmodified' => $mtime)); + + // if file exists, update the mtime, else create a new empty file + if ($this->file_exists($path)) { + $this->client->proppatch($path, array('{DAV:}lastmodified' => $mtime)); + } else { + $this->file_put_contents($path, ''); + } } public function getFile($path, $target) { diff --git a/apps/files_external/tests/amazons3.php b/apps/files_external/tests/amazons3.php index 6b3a942b5b..a73b6307b0 100644 --- a/apps/files_external/tests/amazons3.php +++ b/apps/files_external/tests/amazons3.php @@ -4,7 +4,9 @@ * ownCloud * * @author Michael Gapczynski + * @author Christian Berendt * @copyright 2012 Michael Gapczynski mtgap@owncloud.com + * @copyright 2013 Christian Berendt berendt@b1-systems.de * * This library is free software; you can redistribute it and/or * modify it under the terms of the GNU AFFERO GENERAL PUBLIC LICENSE @@ -25,25 +27,40 @@ namespace Test\Files\Storage; class AmazonS3 extends Storage { private $config; - private $id; public function setUp() { - $id = uniqid(); $this->config = include('files_external/tests/config.php'); if ( ! is_array($this->config) or ! isset($this->config['amazons3']) or ! $this->config['amazons3']['run']) { $this->markTestSkipped('AmazonS3 backend not configured'); } - $this->config['amazons3']['bucket'] = $id; // Make sure we have a new empty bucket to work in $this->instance = new \OC\Files\Storage\AmazonS3($this->config['amazons3']); } public function tearDown() { if ($this->instance) { - $s3 = new \AmazonS3(array('key' => $this->config['amazons3']['key'], - 'secret' => $this->config['amazons3']['secret'])); - if ($s3->delete_all_objects($this->id)) { - $s3->delete_bucket($this->id); + $connection = $this->instance->getConnection(); + + try { + // NOTE(berendt): clearBucket() is not working with Ceph + $iterator = $connection->getIterator('ListObjects', array( + 'Bucket' => $this->config['amazons3']['bucket'] + )); + + foreach ($iterator as $object) { + $connection->deleteObject(array( + 'Bucket' => $this->config['amazons3']['bucket'], + 'Key' => $object['Key'] + )); + } + } catch (S3Exception $e) { } + + $connection->deleteBucket(array( + 'Bucket' => $this->config['amazons3']['bucket'] + )); + + //wait some seconds for completing the replication + sleep(30); } } } diff --git a/apps/files_external/tests/config.php b/apps/files_external/tests/config.php index bac594b485..d4a69d29c0 100644 --- a/apps/files_external/tests/config.php +++ b/apps/files_external/tests/config.php @@ -24,12 +24,11 @@ return array( 'root'=>'/owncloud/files/webdav.php', ), 'google'=>array( - 'run'=>false, - 'consumer_key'=>'anonymous', - 'consumer_secret'=>'anonymous', - 'token'=>'test', - 'token_secret'=>'test', - 'root'=>'/google', + 'run'=> false, + 'configured' => 'true', + 'client_id' => '', + 'client_secret' => '', + 'token' => '', ), 'swift'=>array( 'run'=>false, @@ -50,7 +49,13 @@ return array( 'run'=>false, 'key'=>'test', 'secret'=>'test', - 'bucket'=>'bucket', + 'bucket'=>'bucket' + //'hostname' => 'your.host.name', + //'port' => '443', + //'use_ssl' => 'true', + //'region' => 'eu-west-1', + //'test'=>'true', + //'timeout'=>20 ), 'dropbox' => array ( 'run'=>false, diff --git a/apps/files_external/tests/google.php b/apps/files_external/tests/google.php index f344163a8b..12faabb902 100644 --- a/apps/files_external/tests/google.php +++ b/apps/files_external/tests/google.php @@ -1,5 +1,4 @@ config = include('files_external/tests/config.php'); - if ( ! is_array($this->config) or ! isset($this->config['google']) or ! $this->config['google']['run']) { - $this->markTestSkipped('Google backend not configured'); + if (!is_array($this->config) || !isset($this->config['google']) + || !$this->config['google']['run'] + ) { + $this->markTestSkipped('Google Drive backend not configured'); } - $this->config['google']['root'] .= '/' . $id; //make sure we have an new empty folder to work in $this->instance = new \OC\Files\Storage\Google($this->config['google']); } - public function tearDown() { + protected function tearDown() { if ($this->instance) { $this->instance->rmdir('/'); } } -} +} \ No newline at end of file diff --git a/apps/files_external/tests/irods.php b/apps/files_external/tests/irods.php new file mode 100644 index 0000000000..6aa9d3a3b0 --- /dev/null +++ b/apps/files_external/tests/irods.php @@ -0,0 +1,32 @@ + + * This file is licensed under the Affero General Public License version 3 or + * later. + * See the COPYING-README file. + */ + +namespace Test\Files\Storage; + +class iRODS extends Storage { + + protected $backupGlobals = FALSE; + + private $config; + + public function setUp() { + $id = uniqid(); + $this->config = include('files_external/tests/config.php'); + if ( ! is_array($this->config) or ! isset($this->config['irods']) or ! $this->config['irods']['run']) { + $this->markTestSkipped('irods backend not configured'); + } + $this->config['irods']['root'] .= $id; //make sure we have an new empty folder to work in + $this->instance = new \OC\Files\Storage\iRODS($this->config['irods']); + } + + public function tearDown() { + if ($this->instance) { + \OCP\Files::rmdirr($this->instance->constructUrl('')); + } + } +} diff --git a/apps/files_sharing/js/public.js b/apps/files_sharing/js/public.js index 0244f392a0..294223aa09 100644 --- a/apps/files_sharing/js/public.js +++ b/apps/files_sharing/js/public.js @@ -11,6 +11,8 @@ var form_data; $(document).ready(function() { + $('#data-upload-form').tipsy({gravity:'ne', fade:true}); + if (typeof FileActions !== 'undefined') { var mimetype = $('#mimetype').val(); // Show file preview if previewer is available, images are already handled by the template diff --git a/apps/files_sharing/l10n/ca.php b/apps/files_sharing/l10n/ca.php index f29cf3163a..9d2ab5031c 100644 --- a/apps/files_sharing/l10n/ca.php +++ b/apps/files_sharing/l10n/ca.php @@ -1,4 +1,5 @@ "la contrasenya és incorrecta. Intenteu-ho de nou.", "Password" => "Contrasenya", "Submit" => "Envia", "%s shared the folder %s with you" => "%s ha compartit la carpeta %s amb vós", diff --git a/apps/files_sharing/l10n/de.php b/apps/files_sharing/l10n/de.php index 0854152907..ad2d171aa9 100644 --- a/apps/files_sharing/l10n/de.php +++ b/apps/files_sharing/l10n/de.php @@ -1,4 +1,5 @@ "Bitte überprüfen sie Ihr Passwort und versuchen Sie es erneut.", "Password" => "Passwort", "Submit" => "Absenden", "%s shared the folder %s with you" => "%s hat den Ordner %s mit Dir geteilt", diff --git a/apps/files_sharing/l10n/de_DE.php b/apps/files_sharing/l10n/de_DE.php index 5e365746e8..cac7b7591d 100644 --- a/apps/files_sharing/l10n/de_DE.php +++ b/apps/files_sharing/l10n/de_DE.php @@ -1,4 +1,5 @@ "Das Passwort ist falsch. Bitte versuchen Sie es erneut.", "Password" => "Passwort", "Submit" => "Bestätigen", "%s shared the folder %s with you" => "%s hat den Ordner %s mit Ihnen geteilt", diff --git a/apps/files_sharing/l10n/es.php b/apps/files_sharing/l10n/es.php index 9f7f10f806..1b65cf0c19 100644 --- a/apps/files_sharing/l10n/es.php +++ b/apps/files_sharing/l10n/es.php @@ -1,4 +1,5 @@ "La contraseña introducida es errónea. Inténtelo de nuevo.", "Password" => "Contraseña", "Submit" => "Enviar", "%s shared the folder %s with you" => "%s compartió la carpeta %s contigo", diff --git a/apps/files_sharing/l10n/es_AR.php b/apps/files_sharing/l10n/es_AR.php index defbaa7ff9..90bfe704d2 100644 --- a/apps/files_sharing/l10n/es_AR.php +++ b/apps/files_sharing/l10n/es_AR.php @@ -1,4 +1,5 @@ "La contraseña no es correcta. Probá de nuevo.", "Password" => "Contraseña", "Submit" => "Enviar", "%s shared the folder %s with you" => "%s compartió la carpeta %s con vos", diff --git a/apps/files_sharing/l10n/et_EE.php b/apps/files_sharing/l10n/et_EE.php index 138628849a..78fe436398 100644 --- a/apps/files_sharing/l10n/et_EE.php +++ b/apps/files_sharing/l10n/et_EE.php @@ -1,4 +1,5 @@ "Parool on vale. Proovi uuesti.", "Password" => "Parool", "Submit" => "Saada", "%s shared the folder %s with you" => "%s jagas sinuga kausta %s", diff --git a/apps/files_sharing/l10n/fa.php b/apps/files_sharing/l10n/fa.php index 1a7ae9330a..7a744c8463 100644 --- a/apps/files_sharing/l10n/fa.php +++ b/apps/files_sharing/l10n/fa.php @@ -1,4 +1,5 @@ "رمزعبور اشتباه می باشد. دوباره امتحان کنید.", "Password" => "گذرواژه", "Submit" => "ثبت", "%s shared the folder %s with you" => "%sپوشه %s را با شما به اشتراک گذاشت", diff --git a/apps/files_sharing/l10n/fi_FI.php b/apps/files_sharing/l10n/fi_FI.php index 03931bf298..370cbd9874 100644 --- a/apps/files_sharing/l10n/fi_FI.php +++ b/apps/files_sharing/l10n/fi_FI.php @@ -1,4 +1,5 @@ "Väärä salasana. Yritä uudelleen.", "Password" => "Salasana", "Submit" => "Lähetä", "%s shared the folder %s with you" => "%s jakoi kansion %s kanssasi", diff --git a/apps/files_sharing/l10n/fr.php b/apps/files_sharing/l10n/fr.php index 145880b7e5..32aa6e0065 100644 --- a/apps/files_sharing/l10n/fr.php +++ b/apps/files_sharing/l10n/fr.php @@ -1,4 +1,5 @@ "Le mot de passe est incorrect. Veuillez réessayer.", "Password" => "Mot de passe", "Submit" => "Envoyer", "%s shared the folder %s with you" => "%s a partagé le répertoire %s avec vous", diff --git a/apps/files_sharing/l10n/gl.php b/apps/files_sharing/l10n/gl.php index a7a3cbb9c3..2d8de8e101 100644 --- a/apps/files_sharing/l10n/gl.php +++ b/apps/files_sharing/l10n/gl.php @@ -1,4 +1,5 @@ "O contrasinal é incorrecto. Ténteo de novo.", "Password" => "Contrasinal", "Submit" => "Enviar", "%s shared the folder %s with you" => "%s compartiu o cartafol %s con vostede", diff --git a/apps/files_sharing/l10n/hu_HU.php b/apps/files_sharing/l10n/hu_HU.php index 0b964379bb..15ff6ff3c2 100644 --- a/apps/files_sharing/l10n/hu_HU.php +++ b/apps/files_sharing/l10n/hu_HU.php @@ -1,4 +1,5 @@ "A megadott jelszó nem megfelelő. Próbálja újra!", "Password" => "Jelszó", "Submit" => "Elküld", "%s shared the folder %s with you" => "%s megosztotta Önnel ezt a mappát: %s", diff --git a/apps/files_sharing/l10n/it.php b/apps/files_sharing/l10n/it.php index 66d6af7fd1..cf25c53ca3 100644 --- a/apps/files_sharing/l10n/it.php +++ b/apps/files_sharing/l10n/it.php @@ -1,4 +1,5 @@ "La password è errata. Prova ancora.", "Password" => "Password", "Submit" => "Invia", "%s shared the folder %s with you" => "%s ha condiviso la cartella %s con te", diff --git a/apps/files_sharing/l10n/ja_JP.php b/apps/files_sharing/l10n/ja_JP.php index 3f3cfbfb3b..d2bc2d1124 100644 --- a/apps/files_sharing/l10n/ja_JP.php +++ b/apps/files_sharing/l10n/ja_JP.php @@ -1,4 +1,5 @@ "パスワードが間違っています。再試行してください。", "Password" => "パスワード", "Submit" => "送信", "%s shared the folder %s with you" => "%s はフォルダー %s をあなたと共有中です", diff --git a/apps/files_sharing/l10n/lb.php b/apps/files_sharing/l10n/lb.php index 9968bf7a85..a604affee6 100644 --- a/apps/files_sharing/l10n/lb.php +++ b/apps/files_sharing/l10n/lb.php @@ -1,7 +1,11 @@ "Den Passwuert ass incorrect. Probeier ed nach eng keier.", "Password" => "Passwuert", "Submit" => "Fortschécken", +"%s shared the folder %s with you" => "%s huet den Dossier %s mad der gedeelt", +"%s shared the file %s with you" => "%s deelt den Fichier %s mad dir", "Download" => "Download", "Upload" => "Eroplueden", -"Cancel upload" => "Upload ofbriechen" +"Cancel upload" => "Upload ofbriechen", +"No preview available for" => "Keeng Preview do fir" ); diff --git a/apps/files_sharing/l10n/nb_NO.php b/apps/files_sharing/l10n/nb_NO.php index 9c736f97d7..65eadd3cca 100644 --- a/apps/files_sharing/l10n/nb_NO.php +++ b/apps/files_sharing/l10n/nb_NO.php @@ -1,4 +1,5 @@ "Passordet er feil. Prøv på nytt.", "Password" => "Passord", "Submit" => "Send inn", "%s shared the folder %s with you" => "%s delte mappen %s med deg", diff --git a/apps/files_sharing/l10n/nl.php b/apps/files_sharing/l10n/nl.php index 6c1bf7a53f..90f2f2290f 100644 --- a/apps/files_sharing/l10n/nl.php +++ b/apps/files_sharing/l10n/nl.php @@ -1,4 +1,5 @@ "Wachtwoord ongeldig. Probeer het nogmaals.", "Password" => "Wachtwoord", "Submit" => "Verzenden", "%s shared the folder %s with you" => "%s deelt de map %s met u", diff --git a/apps/files_sharing/l10n/pt_BR.php b/apps/files_sharing/l10n/pt_BR.php index cf1eda9439..c82989857a 100644 --- a/apps/files_sharing/l10n/pt_BR.php +++ b/apps/files_sharing/l10n/pt_BR.php @@ -1,4 +1,5 @@ "Senha incorreta. Tente novamente.", "Password" => "Senha", "Submit" => "Submeter", "%s shared the folder %s with you" => "%s compartilhou a pasta %s com você", diff --git a/apps/files_sharing/l10n/pt_PT.php b/apps/files_sharing/l10n/pt_PT.php index 2f41abca1f..8b02e73606 100644 --- a/apps/files_sharing/l10n/pt_PT.php +++ b/apps/files_sharing/l10n/pt_PT.php @@ -1,4 +1,5 @@ "Password errada, por favor tente de novo", "Password" => "Password", "Submit" => "Submeter", "%s shared the folder %s with you" => "%s partilhou a pasta %s consigo", diff --git a/apps/files_sharing/l10n/ro.php b/apps/files_sharing/l10n/ro.php index 1f38026daa..3197068cdd 100644 --- a/apps/files_sharing/l10n/ro.php +++ b/apps/files_sharing/l10n/ro.php @@ -1,4 +1,5 @@ "Parola este incorectă. Încercaţi din nou.", "Password" => "Parolă", "Submit" => "Trimite", "%s shared the folder %s with you" => "%s a partajat directorul %s cu tine", diff --git a/apps/files_sharing/l10n/ru.php b/apps/files_sharing/l10n/ru.php index a157866702..77332c183f 100644 --- a/apps/files_sharing/l10n/ru.php +++ b/apps/files_sharing/l10n/ru.php @@ -1,4 +1,5 @@ "Неверный пароль. Попробуйте еще раз.", "Password" => "Пароль", "Submit" => "Отправить", "%s shared the folder %s with you" => "%s открыл доступ к папке %s для Вас", diff --git a/apps/files_sharing/l10n/sv.php b/apps/files_sharing/l10n/sv.php index 21e4e542d8..dac5e33ec5 100644 --- a/apps/files_sharing/l10n/sv.php +++ b/apps/files_sharing/l10n/sv.php @@ -1,4 +1,5 @@ "Lösenordet är fel. Försök igen.", "Password" => "Lösenord", "Submit" => "Skicka", "%s shared the folder %s with you" => "%s delade mappen %s med dig", diff --git a/apps/files_sharing/public.php b/apps/files_sharing/public.php index fb18bc2624..3f8e29345a 100644 --- a/apps/files_sharing/public.php +++ b/apps/files_sharing/public.php @@ -27,23 +27,9 @@ if (isset($_GET['t'])) { $type = $linkItem['item_type']; $fileSource = $linkItem['file_source']; $shareOwner = $linkItem['uid_owner']; - $fileOwner = null; $path = null; - if (isset($linkItem['parent'])) { - $parent = $linkItem['parent']; - while (isset($parent)) { - $query = \OC_DB::prepare('SELECT `parent`, `uid_owner` FROM `*PREFIX*share` WHERE `id` = ?', 1); - $item = $query->execute(array($parent))->fetchRow(); - if (isset($item['parent'])) { - $parent = $item['parent']; - } else { - $fileOwner = $item['uid_owner']; - break; - } - } - } else { - $fileOwner = $shareOwner; - } + $rootLinkItem = OCP\Share::resolveReShare($linkItem); + $fileOwner = $rootLinkItem['uid_owner']; if (isset($fileOwner)) { OC_Util::tearDownFS(); OC_Util::setupFS($fileOwner); @@ -151,6 +137,12 @@ if (isset($path)) { if (\OCP\App::isEnabled('files_encryption')) { $allowPublicUploadEnabled = false; } + if (OC_Appconfig::getValue('core', 'shareapi_allow_public_upload', 'yes') === 'no') { + $allowPublicUploadEnabled = false; + } + if ($linkItem['item_type'] !== 'folder') { + $allowPublicUploadEnabled = false; + } $tmpl->assign('allowPublicUploadEnabled', $allowPublicUploadEnabled); $tmpl->assign('uploadMaxFilesize', $maxUploadFilesize); $tmpl->assign('uploadMaxHumanFilesize', OCP\Util::humanFileSize($maxUploadFilesize)); @@ -213,6 +205,7 @@ if (isset($path)) { $folder->assign('isCreatable', false); $folder->assign('permissions', OCP\PERMISSION_READ); $folder->assign('isPublic',true); + $folder->assign('publicUploadEnabled', 'no'); $folder->assign('files', $files); $folder->assign('uploadMaxFilesize', $maxUploadFilesize); $folder->assign('uploadMaxHumanFilesize', OCP\Util::humanFileSize($maxUploadFilesize)); diff --git a/apps/files_sharing/templates/authenticate.php b/apps/files_sharing/templates/authenticate.php index fa03f41913..2c89b5df3f 100644 --- a/apps/files_sharing/templates/authenticate.php +++ b/apps/files_sharing/templates/authenticate.php @@ -1,6 +1,6 @@
- +
t('The password is wrong. Try again.')); ?>

diff --git a/apps/files_sharing/templates/public.php b/apps/files_sharing/templates/public.php index 56ed4ca168..746a715f3c 100644 --- a/apps/files_sharing/templates/public.php +++ b/apps/files_sharing/templates/public.php @@ -1,96 +1,98 @@

- +
- -
+ +
-
- - - - -
- -
- -
- -
+
+ + - + +
+ +
+ +
+ +
+ + + - -
-
-

- getLongFooter()); ?> -

-
+
+
+

+ getLongFooter()); ?> +

+
diff --git a/apps/files_trashbin/index.php b/apps/files_trashbin/index.php index a32b7414ac..6f1c364737 100644 --- a/apps/files_trashbin/index.php +++ b/apps/files_trashbin/index.php @@ -101,12 +101,15 @@ $breadcrumbNav->assign('home', OCP\Util::linkTo('files', 'index.php')); $list = new OCP\Template('files_trashbin', 'part.list', ''); $list->assign('files', $files); -$list->assign('baseURL', OCP\Util::linkTo('files_trashbin', 'index.php'). '?dir='.$dir); -$list->assign('downloadURL', OCP\Util::linkTo('files_trashbin', 'download.php') . '?file='.$dir); + +$encodedDir = \OCP\Util::encodePath($dir); +$list->assign('baseURL', OCP\Util::linkTo('files_trashbin', 'index.php'). '?dir='.$encodedDir); +$list->assign('downloadURL', OCP\Util::linkTo('files_trashbin', 'download.php') . '?file='.$encodedDir); $list->assign('disableSharing', true); $list->assign('dirlisting', $dirlisting); -$tmpl->assign('dirlisting', $dirlisting); $list->assign('disableDownloadActions', true); + +$tmpl->assign('dirlisting', $dirlisting); $tmpl->assign('breadcrumb', $breadcrumbNav->fetchPage()); $tmpl->assign('fileList', $list->fetchPage()); $tmpl->assign('files', $files); diff --git a/apps/files_trashbin/js/trash.js b/apps/files_trashbin/js/trash.js index 691642811b..87dfea491e 100644 --- a/apps/files_trashbin/js/trash.js +++ b/apps/files_trashbin/js/trash.js @@ -2,9 +2,9 @@ $(document).ready(function() { if (typeof FileActions !== 'undefined') { - FileActions.register('all', 'Restore', OC.PERMISSION_READ, OC.imagePath('core', 'actions/undelete.png'), function(filename) { + FileActions.register('all', 'Restore', OC.PERMISSION_READ, OC.imagePath('core', 'actions/history'), function(filename) { var tr=$('tr').filterAttr('data-file', filename); - var spinner = ''; + var spinner = ''; var undeleteAction = $('tr').filterAttr('data-file',filename).children("td.date"); var files = tr.attr('data-file'); undeleteAction[0].innerHTML = undeleteAction[0].innerHTML+spinner; @@ -94,7 +94,7 @@ $(document).ready(function() { $('.undelete').click('click',function(event) { event.preventDefault(); - var spinner = ''; + var spinner = ''; var files=getSelectedFiles('file'); var fileslist = JSON.stringify(files); var dirlisting=getSelectedFiles('dirlisting')[0]; diff --git a/apps/files_trashbin/l10n/es.php b/apps/files_trashbin/l10n/es.php index c267db7358..b2d5a2aed2 100644 --- a/apps/files_trashbin/l10n/es.php +++ b/apps/files_trashbin/l10n/es.php @@ -1,9 +1,9 @@ "No se puede eliminar %s permanentemente", "Couldn't restore %s" => "No se puede restaurar %s", -"perform restore operation" => "Restaurar", +"perform restore operation" => "restaurar", "Error" => "Error", -"delete file permanently" => "Eliminar archivo permanentemente", +"delete file permanently" => "eliminar archivo permanentemente", "Delete permanently" => "Eliminar permanentemente", "Name" => "Nombre", "Deleted" => "Eliminado", diff --git a/apps/files_trashbin/l10n/zh_CN.GB2312.php b/apps/files_trashbin/l10n/zh_CN.GB2312.php index 4dda1e0433..1ab193517f 100644 --- a/apps/files_trashbin/l10n/zh_CN.GB2312.php +++ b/apps/files_trashbin/l10n/zh_CN.GB2312.php @@ -1,5 +1,6 @@ "出错", +"Delete permanently" => "永久删除", "Name" => "名称", "1 folder" => "1 个文件夹", "{count} folders" => "{count} 个文件夹", diff --git a/apps/files_trashbin/templates/index.php b/apps/files_trashbin/templates/index.php index cb5edaa2c9..66ec36df86 100644 --- a/apps/files_trashbin/templates/index.php +++ b/apps/files_trashbin/templates/index.php @@ -18,7 +18,7 @@ <?php p($l->t( 'Restore' )); ?>" /> + src="" /> t('Restore'))?> diff --git a/apps/files_trashbin/templates/part.breadcrumb.php b/apps/files_trashbin/templates/part.breadcrumb.php index 2801e04e9a..85bb16ffa2 100644 --- a/apps/files_trashbin/templates/part.breadcrumb.php +++ b/apps/files_trashbin/templates/part.breadcrumb.php @@ -11,8 +11,7 @@ + $dir = \OCP\Util::encodePath($crumb["dir"]); ?>
svg" data-dir=''> diff --git a/apps/files_trashbin/templates/part.list.php b/apps/files_trashbin/templates/part.list.php index 92a38bd263..94a8eec951 100644 --- a/apps/files_trashbin/templates/part.list.php +++ b/apps/files_trashbin/templates/part.list.php @@ -4,10 +4,8 @@ // the older the file, the brighter the shade of grey; days*14 $relative_date_color = round((time()-$file['date'])/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); ?> + $name = \OCP\Util::encodePath($file['name']); + $directory = \OCP\Util::encodePath($file['directory']); ?>
"بازگردانی امکان ناپذیر است: %s", "success" => "موفقیت", +"File %s was reverted to version %s" => "فایل %s به نسخه %s بازگردانده شده است.", "failure" => "شکست", +"File %s could not be reverted to version %s" => "فایل %s نمی تواند به نسخه %s بازگردانده شود.", "No old versions available" => "هیچ نسخه قدیمی در دسترس نیست", "No path specified" => "هیچ مسیری مشخص نشده است", +"Versions" => "نسخه ها", "Revert a file to a previous version by clicking on its revert button" => "بازگردانی یک پرورنده به نسخه قدیمی اش از طریق دکمه بازگردانی امکان پذیر است" ); diff --git a/apps/files_versions/lib/versions.php b/apps/files_versions/lib/versions.php index 2f8262475b..c083a000c3 100644 --- a/apps/files_versions/lib/versions.php +++ b/apps/files_versions/lib/versions.php @@ -113,6 +113,18 @@ class Storage { mkdir($versionsFolderName.'/'.$info['dirname'], 0750, true); } + $versionsSize = self::getVersionsSize($uid); + if ( $versionsSize === false || $versionsSize < 0 ) { + $versionsSize = self::calculateSize($uid); + } + + // assumption: we need filesize($filename) for the new version + + // some more free space for the modified file which might be + // 1.5 times as large as the current version -> 2.5 + $neededSpace = $files_view->filesize($filename) * 2.5; + + $versionsSize = self::expire($filename, $versionsSize, $neededSpace); + // disable proxy to prevent multiple fopen calls $proxyStatus = \OC_FileProxy::$enabled; \OC_FileProxy::$enabled = false; @@ -123,19 +135,9 @@ class Storage { // reset proxy state \OC_FileProxy::$enabled = $proxyStatus; - $versionsSize = self::getVersionsSize($uid); - if ( $versionsSize === false || $versionsSize < 0 ) { - $versionsSize = self::calculateSize($uid); - } - $versionsSize += $users_view->filesize('files'.$filename); - // expire old revisions if necessary - $newSize = self::expire($filename, $versionsSize); - - if ( $newSize != $versionsSize ) { - self::setVersionsSize($uid, $newSize); - } + self::setVersionsSize($uid, $versionsSize); } } @@ -175,12 +177,14 @@ class Storage { if ($files_view->file_exists($newpath)) { return self::store($new_path); } - + + self::expire($newpath); + $abs_newpath = $versions_view->getLocalFile($newpath); if ( $files_view->is_dir($oldpath) && $versions_view->is_dir($oldpath) ) { $versions_view->rename($oldpath, $newpath); - } else if ( ($versions = Storage::getVersions($uid, $oldpath)) ) { + } else if ( ($versions = Storage::getVersions($uid, $oldpath)) ) { $info=pathinfo($abs_newpath); if(!file_exists($info['dirname'])) mkdir($info['dirname'], 0750, true); foreach ($versions as $v) { @@ -391,10 +395,10 @@ class Storage { /** * @brief Erase a file's versions which exceed the set quota */ - private static function expire($filename, $versionsSize = null) { + private static function expire($filename, $versionsSize = null, $offset = 0) { if(\OCP\Config::getSystemValue('files_versions', Storage::DEFAULTENABLED)=='true') { list($uid, $filename) = self::getUidAndFilename($filename); - $versions_fileview = new \OC\Files\View('/'.$uid.'/files_versions'); + $versionsFileview = new \OC\Files\View('/'.$uid.'/files_versions'); // get available disk space for user $softQuota = true; @@ -424,87 +428,52 @@ class Storage { $rootInfo = $files_view->getFileInfo('/'); $free = $quota-$rootInfo['size']; // remaining free space for user if ( $free > 0 ) { - $availableSpace = ($free * self::DEFAULTMAXSIZE / 100) - $versionsSize; // how much space can be used for versions + $availableSpace = ($free * self::DEFAULTMAXSIZE / 100) - ($versionsSize + $offset); // how much space can be used for versions } else { - $availableSpace = $free-$versionsSize; + $availableSpace = $free - $versionsSize - $offset; } } else { - $availableSpace = $quota; + $availableSpace = $quota - $offset; } - // after every 1000s run reduce the number of all versions not only for the current file + // with the probability of 0.1% we reduce the number of all versions not only for the current file $random = rand(0, 1000); if ($random == 0) { - $result = Storage::getAllVersions($uid); - $versions_by_file = $result['by_file']; - $all_versions = $result['all']; + $allFiles = true; } else { - $all_versions = Storage::getVersions($uid, $filename); - $versions_by_file[$filename] = $all_versions; + $allFiles = false; } - $time = time(); + $allVersions = Storage::getVersions($uid, $filename); + $versionsByFile[$filename] = $allVersions; - // it is possible to expire versions from more than one file - // iterate through all given files - foreach ($versions_by_file as $filename => $versions) { - $versions = array_reverse($versions); // newest version first + $sizeOfDeletedVersions = self::delOldVersions($versionsByFile, $allVersions, $versionsFileview); + $availableSpace = $availableSpace + $sizeOfDeletedVersions; + $versionsSize = $versionsSize - $sizeOfDeletedVersions; - $interval = 1; - $step = Storage::$max_versions_per_interval[$interval]['step']; - if (Storage::$max_versions_per_interval[$interval]['intervalEndsAfter'] == -1) { - $nextInterval = -1; - } else { - $nextInterval = $time - Storage::$max_versions_per_interval[$interval]['intervalEndsAfter']; - } + // if still not enough free space we rearrange the versions from all files + if ($availableSpace <= 0 || $allFiles) { + $result = Storage::getAllVersions($uid); + $versionsByFile = $result['by_file']; + $allVersions = $result['all']; - $firstVersion = reset($versions); - $firstKey = key($versions); - $prevTimestamp = $firstVersion['version']; - $nextVersion = $firstVersion['version'] - $step; - $remaining_versions[$firstKey] = $firstVersion; - unset($versions[$firstKey]); - - foreach ($versions as $key => $version) { - $newInterval = true; - while ( $newInterval ) { - if ( $nextInterval == -1 || $version['version'] >= $nextInterval ) { - if ( $version['version'] > $nextVersion ) { - //distance between two version too small, delete version - $versions_fileview->unlink($version['path'].'.v'.$version['version']); - $availableSpace += $version['size']; - $versionsSize -= $version['size']; - unset($all_versions[$key]); // update array with all versions - } else { - $nextVersion = $version['version'] - $step; - } - $newInterval = false; // version checked so we can move to the next one - } else { // time to move on to the next interval - $interval++; - $step = Storage::$max_versions_per_interval[$interval]['step']; - $nextVersion = $prevTimestamp - $step; - if ( Storage::$max_versions_per_interval[$interval]['intervalEndsAfter'] == -1 ) { - $nextInterval = -1; - } else { - $nextInterval = $time - Storage::$max_versions_per_interval[$interval]['intervalEndsAfter']; - } - $newInterval = true; // we changed the interval -> check same version with new interval - } - } - $prevTimestamp = $version['version']; - } + $sizeOfDeletedVersions = self::delOldVersions($versionsByFile, $allVersions, $versionsFileview); + $availableSpace = $availableSpace + $sizeOfDeletedVersions; + $versionsSize = $versionsSize - $sizeOfDeletedVersions; } // Check if enough space is available after versions are rearranged. // If not we delete the oldest versions until we meet the size limit for versions, // but always keep the two latest versions - $numOfVersions = count($all_versions) -2 ; + $numOfVersions = count($allVersions) -2 ; $i = 0; while ($availableSpace < 0 && $i < $numOfVersions) { - $versions_fileview->unlink($all_versions[$i]['path'].'.v'.$all_versions[$i]['version']); - $versionsSize -= $all_versions[$i]['size']; - $availableSpace += $all_versions[$i]['size']; + $version = current($allVersions); + $versionsFileview->unlink($version['path'].'.v'.$version['version']); + $versionsSize -= $version['size']; + $availableSpace += $version['size']; + next($allVersions); $i++; } @@ -513,4 +482,67 @@ class Storage { return false; } + + /** + * @brief delete old version from a given list of versions + * + * @param array $versionsByFile list of versions ordered by files + * @param array $allVversions all versions accross multiple files + * @param $versionsFileview OC\Files\View on data/user/files_versions + * @return size of releted versions + */ + private static function delOldVersions($versionsByFile, &$allVersions, $versionsFileview) { + + $time = time(); + $size = 0; + + // delete old versions for every given file + foreach ($versionsByFile as $versions) { + $versions = array_reverse($versions); // newest version first + + $interval = 1; + $step = Storage::$max_versions_per_interval[$interval]['step']; + if (Storage::$max_versions_per_interval[$interval]['intervalEndsAfter'] == -1) { + $nextInterval = -1; + } else { + $nextInterval = $time - Storage::$max_versions_per_interval[$interval]['intervalEndsAfter']; + } + + $firstVersion = reset($versions); + $firstKey = key($versions); + $prevTimestamp = $firstVersion['version']; + $nextVersion = $firstVersion['version'] - $step; + unset($versions[$firstKey]); + + foreach ($versions as $key => $version) { + $newInterval = true; + while ($newInterval) { + if ($nextInterval == -1 || $version['version'] >= $nextInterval) { + if ($version['version'] > $nextVersion) { + //distance between two version too small, delete version + $versionsFileview->unlink($version['path'] . '.v' . $version['version']); + $size += $version['size']; + unset($allVersions[$key]); // update array with all versions + } else { + $nextVersion = $version['version'] - $step; + } + $newInterval = false; // version checked so we can move to the next one + } else { // time to move on to the next interval + $interval++; + $step = Storage::$max_versions_per_interval[$interval]['step']; + $nextVersion = $prevTimestamp - $step; + if (Storage::$max_versions_per_interval[$interval]['intervalEndsAfter'] == -1) { + $nextInterval = -1; + } else { + $nextInterval = $time - Storage::$max_versions_per_interval[$interval]['intervalEndsAfter']; + } + $newInterval = true; // we changed the interval -> check same version with new interval + } + } + $prevTimestamp = $version['version']; + } + } + return $size; + } + } diff --git a/apps/user_ldap/l10n/de.php b/apps/user_ldap/l10n/de.php index f001081842..bf25806d38 100644 --- a/apps/user_ldap/l10n/de.php +++ b/apps/user_ldap/l10n/de.php @@ -1,4 +1,5 @@ "Löschen der Zuordnung fehlgeschlagen.", "Failed to delete the server configuration" => "Löschen der Serverkonfiguration fehlgeschlagen", "The configuration is valid and the connection could be established!" => "Die Konfiguration ist gültig und die Verbindung konnte hergestellt werden!", "The configuration is valid, but the Bind failed. Please check the server settings and credentials." => "Die Konfiguration ist gültig aber die Verbindung ist fehlgeschlagen. Bitte überprüfe die Servereinstellungen und Anmeldeinformationen.", @@ -7,6 +8,7 @@ "Take over settings from recent server configuration?" => "Einstellungen von letzter Konfiguration übernehmen?", "Keep settings?" => "Einstellungen beibehalten?", "Cannot add server configuration" => "Das Hinzufügen der Serverkonfiguration schlug fehl", +"mappings cleared" => "Zuordnungen gelöscht", "Success" => "Erfolgreich", "Error" => "Fehler", "Connection test succeeded" => "Verbindungstest erfolgreich", @@ -72,6 +74,16 @@ "Email Field" => "E-Mail Feld", "User Home Folder Naming Rule" => "Benennungsregel für das Home-Verzeichnis des Benutzers", "Leave empty for user name (default). Otherwise, specify an LDAP/AD attribute." => "Ohne Eingabe wird der Benutzername (Standard) verwendet. Anderenfall trage ein LDAP/AD-Attribut ein.", +"Internal Username" => "Interner Benutzername", +"By default the internal username will be created from the UUID attribute. It makes sure that the username is unique and characters do not need to be converted. The internal username has the restriction that only these characters are allowed: [ a-zA-Z0-9_.@- ]. Other characters are replaced with their ASCII correspondence or simply omitted. On collisions a number will be added/increased. The internal username is used to identify a user internally. It is also the default name for the user home folder in ownCloud. It is also a port of remote URLs, for instance for all *DAV services. With this setting, the default behaviour can be overriden. To achieve a similar behaviour as before ownCloud 5 enter the user display name attribute in the following field. Leave it empty for default behaviour. Changes will have effect only on newly mapped (added) LDAP users." => "Standardmäßig wird der interne Benutzername aus der UUID erstellt. Dies stellt sicher, daß der Name einmalig ist und keine Zeichen umgewandelt werden müssen. Für den internen Benutzernamen sind nur die folgenden Zeichen zulässig: [ a-zA-Z0-9_.@- ]. Andere Zeichen werden durch ihr ASCII-Äquivalent ersetzt oder ausgelassen. Bei Kollisionen wird eine Nummer hinzugefügt/erhöht. Der interne Benutzername wird verwendet, um einen Benutzer intern zu identifizieren. Er ist auch der Standardname für das Benutzerverzeichnis in ownCloud und Teil von Remote-URLs, unter anderem für alle *DAV-Dienste. Mit dieser Einstellung kann das Standardverhalten geändert werden. Um ein ähnliches Verhalten wie in ownCloud 5 zu erreichen, geben Sie das Benutzer-Anzeige-Namen-Attribut in das folgende Feld ein. Änderungen betreffen nur neu angelegte LDAP-Benutzer.", +"Internal Username Attribute:" => "Attribut für interne Benutzernamen:", +"Override UUID detection" => "UUID-Erkennung überschreiben", +"By default, ownCloud autodetects the UUID attribute. The UUID attribute is used to doubtlessly identify LDAP users and groups. Also, the internal username will be created based on the UUID, if not specified otherwise above. You can override the setting and pass an attribute of your choice. You must make sure that the attribute of your choice can be fetched for both users and groups and it is unique. Leave it empty for default behaviour. Changes will have effect only on newly mapped (added) LDAP users and groups." => "Standardmäßig erkennt ownCloud das UUID-Attribut automatisch. Das UUID-Attribut wird benutzt, um LDAP-Benutzer und Gruppen eindeutig zu identifizieren. Außerdem wird der interne Benutzername basierend auf der UUID erstellt, wenn nicht anders angegeben. Sie können dieses Verhalten ändern und ein Attribut Ihrer Wahl angeben. Sie müssen sichergehen, dass das Attribut Ihrer Wahl auf Benutzer und Gruppen anwendbar und einzigartig ist. Für das Standardverhalten lassen Sie das Feld leer. Änderungen betreffen nur neu angelegte LDAP-Benutzer und Gruppen.", +"UUID Attribute:" => "UUID-Attribut:", +"Username-LDAP User Mapping" => "LDAP-Benutzernamenzuordnung", +"ownCloud uses usernames to store and assign (meta) data. In order to precisely identify and recognize users, each LDAP user will have a internal username. This requires a mapping from ownCloud username to LDAP user. The created username is mapped to the UUID of the LDAP user. Additionally the DN is cached as well to reduce LDAP interaction, but it is not used for identification. If the DN changes, the changes will be found by ownCloud. The internal ownCloud name is used all over in ownCloud. Clearing the Mappings will have leftovers everywhere. Clearing the Mappings is not configuration sensitive, it affects all LDAP configurations! Do never clear the mappings in a production environment. Only clear mappings in a testing or experimental stage." => "OwnCloud nutzt die Benutzernamen, um (Meta)Daten zuzuordnen und zu speichern. Um Benutzer eindeutig und präzise zu identifizieren, hat jeder LDAP-Benutzer einen internen Benutzernamen. Dies erfordert eine Zuordnung vom OwnCloud-Benutzernamen zum LDAP-Benutzer. Der erstellte Benutzername wird der UUID des LDAP-Benutzernamens zugeordnet. Zusätzlich wird der DN zwischengespeichert, um die Interaktion mit LDAP zu minimieren, was aber nicht der Identifikation dient. Ändert sich der DN, werden die Änderungen durch OwnCloud gefunden. Der interne OwnCloud-Name, wird in der gesamten OwnCloud verwendet. Werden die Zuordnungen gelöscht, bleiben überall Reste in der OwnCloud. Die Löschung der Zuordnungen kann nicht in der Konfiguration vorgenommen werden, beeinflusst aber die LDAP-Konfiguration! Lösche niemals die Zuordnungen in einer produktiven Umgebung. Lösche die Zuordnungen nur in einer Test- oder Experimentierumgebung.", +"Clear Username-LDAP User Mapping" => "Lösche LDAP-Benutzernamenzuordnung", +"Clear Groupname-LDAP Group Mapping" => "Lösche LDAP-Gruppennamenzuordnung", "Test Configuration" => "Testkonfiguration", "Help" => "Hilfe" ); diff --git a/apps/user_ldap/l10n/de_DE.php b/apps/user_ldap/l10n/de_DE.php index 8aa64477e4..a876119f36 100644 --- a/apps/user_ldap/l10n/de_DE.php +++ b/apps/user_ldap/l10n/de_DE.php @@ -1,4 +1,5 @@ "Löschen der Zuordnung fehlgeschlagen.", "Failed to delete the server configuration" => "Löschen der Serverkonfiguration fehlgeschlagen", "The configuration is valid and the connection could be established!" => "Die Konfiguration ist gültig und die Verbindung konnte hergestellt werden!", "The configuration is valid, but the Bind failed. Please check the server settings and credentials." => "Die Konfiguration ist gültig aber die Verbindung ist fehlgeschlagen. Bitte überprüfen Sie die Servereinstellungen und die Anmeldeinformationen.", @@ -7,6 +8,7 @@ "Take over settings from recent server configuration?" => "Einstellungen von letzter Konfiguration übernehmen?", "Keep settings?" => "Einstellungen beibehalten?", "Cannot add server configuration" => "Das Hinzufügen der Serverkonfiguration schlug fehl", +"mappings cleared" => "Zuordnungen gelöscht", "Success" => "Erfolg", "Error" => "Fehler", "Connection test succeeded" => "Verbindungstest erfolgreich", @@ -74,8 +76,14 @@ "Leave empty for user name (default). Otherwise, specify an LDAP/AD attribute." => "Ohne Eingabe wird der Benutzername (Standard) verwendet. Anderenfalls tragen Sie bitte ein LDAP/AD-Attribut ein.", "Internal Username" => "Interner Benutzername", "By default the internal username will be created from the UUID attribute. It makes sure that the username is unique and characters do not need to be converted. The internal username has the restriction that only these characters are allowed: [ a-zA-Z0-9_.@- ]. Other characters are replaced with their ASCII correspondence or simply omitted. On collisions a number will be added/increased. The internal username is used to identify a user internally. It is also the default name for the user home folder in ownCloud. It is also a port of remote URLs, for instance for all *DAV services. With this setting, the default behaviour can be overriden. To achieve a similar behaviour as before ownCloud 5 enter the user display name attribute in the following field. Leave it empty for default behaviour. Changes will have effect only on newly mapped (added) LDAP users." => "Standardmäßig wird der interne Benutzername mittels des UUID-Attributes erzeugt. Dies stellt sicher, dass der Benutzername einzigartig ist und keinerlei Zeichen konvertiert werden müssen. Der interne Benutzername unterliegt Beschränkungen, die nur die nachfolgenden Zeichen erlauben: [ a-zA-Z0-9_.@- ]. Andere Zeichenwerden mittels ihrer korrespondierenden Zeichen ersetzt oder einfach ausgelassen. Bei Übereinstimmungen wird ein Zähler hinzugefügt bzw. der Zähler um einen Wert erhöht. Der interne Benutzername wird benutzt, um einen Benutzer intern zu identifizieren. Es ist ebenso der standardmäßig vorausgewählte Namen des Heimatverzeichnisses in ownCloud. Es dient weiterhin als Port für Remote-URLs - zum Beispiel für alle *DAV-Dienste Mit dieser Einstellung kann das Standardverhalten überschrieben werden. Um ein ähnliches Verhalten wie vor ownCloud 5 zu erzielen, fügen Sie das anzuzeigende Attribut des Benutzernamens in das nachfolgende Feld ein. Lassen Sie dies hingegen für das Standardverhalten leer. Die Änderungen werden sich einzig und allein nur auf neu gemappte (hinzugefügte) LDAP-Benutzer auswirken.", +"Internal Username Attribute:" => "Interne Eigenschaften des Benutzers:", "Override UUID detection" => "UUID-Erkennung überschreiben", +"By default, ownCloud autodetects the UUID attribute. The UUID attribute is used to doubtlessly identify LDAP users and groups. Also, the internal username will be created based on the UUID, if not specified otherwise above. You can override the setting and pass an attribute of your choice. You must make sure that the attribute of your choice can be fetched for both users and groups and it is unique. Leave it empty for default behaviour. Changes will have effect only on newly mapped (added) LDAP users and groups." => "Standardmäßig erkennt OwnCloud die UUID-Eigenschaften des Benutzers selbstständig. Die UUID-Eigenschaften werden genutzt, um einen LDAP-Benutzer und Gruppen einwandfrei zu identifizieren. Außerdem wird ein interner Benutzername erzeugt, der auf Eigenschaften der UUID basiert, wenn es oben nicht anders angegeben wurde. Sie können diese Eigenschaften überschreiben und selbst Eigenschaften nach Wahl vorgeben. Sie müssen allerdings sicherstellen, dass die Eigenschaften zur Identifikation für Benutzer und Gruppen eindeutig sind. Lassen Sie es frei, um es beim Standardverhalten zu belassen. Änderungen wirken sich nur auf neu zugeordnete (neu erstellte) LDAP-Benutzer und -Gruppen aus.", "UUID Attribute:" => "UUID-Attribut:", +"Username-LDAP User Mapping" => "LDAP-Benutzernamenzuordnung", +"ownCloud uses usernames to store and assign (meta) data. In order to precisely identify and recognize users, each LDAP user will have a internal username. This requires a mapping from ownCloud username to LDAP user. The created username is mapped to the UUID of the LDAP user. Additionally the DN is cached as well to reduce LDAP interaction, but it is not used for identification. If the DN changes, the changes will be found by ownCloud. The internal ownCloud name is used all over in ownCloud. Clearing the Mappings will have leftovers everywhere. Clearing the Mappings is not configuration sensitive, it affects all LDAP configurations! Do never clear the mappings in a production environment. Only clear mappings in a testing or experimental stage." => "OwnCloud nutzt die Benutzernamen, um (Meta)Daten zuzuordnen und zu speichern. Um Benutzer eindeutig und präzise zu identifizieren, hat jeder LDAP-Benutzer einen internen Benutzernamen. Dies erfordert eine Zuordnung vom OwnCloud-Benutzernamen zum LDAP-Benutzer. Der erstellte Benutzername wird der UUID des LDAP-Benutzernamens zugeordnet. Zusätzlich wird der DN zwischengespeichert, um die Interaktion mit LDAP zu minimieren, was aber nicht der Identifikation dient. Ändert sich der DN, werden die Änderungen durch OwnCloud gefunden. Der interne OwnCloud-Name, wird in der gesamten OwnCloud verwendet. Werden die Zuordnungen gelöscht, bleiben überall Reste in der OwnCloud. Die Löschung der Zuordnungen kann nicht in der Konfiguration vorgenommen werden, beeinflusst aber die LDAP-Konfiguration! Löschen Sie niemals die Zuordnungen in einer produktiven Umgebung. Löschen Sie die Zuordnungen nur in einer Test- oder Experimentierumgebung.", +"Clear Username-LDAP User Mapping" => "Lösche LDAP-Benutzernamenzuordnung", +"Clear Groupname-LDAP Group Mapping" => "Lösche LDAP-Gruppennamenzuordnung", "Test Configuration" => "Testkonfiguration", "Help" => "Hilfe" ); diff --git a/apps/user_ldap/l10n/fa.php b/apps/user_ldap/l10n/fa.php index bef13457ad..889555079d 100644 --- a/apps/user_ldap/l10n/fa.php +++ b/apps/user_ldap/l10n/fa.php @@ -1,8 +1,13 @@ "عدم موفقیت در پاک کردن نگاشت.", "Failed to delete the server configuration" => "عملیات حذف پیکربندی سرور ناموفق ماند", "The configuration is valid and the connection could be established!" => "پیکربندی معتبر است و ارتباط می تواند برقرار شود", +"The configuration is valid, but the Bind failed. Please check the server settings and credentials." => "پیکربندی معتبراست، اما اتصال شکست خورد. لطفا تنظیمات و اعتبارهای سرور را بررسی کنید.", "Deletion failed" => "حذف کردن انجام نشد", "Keep settings?" => "آیا تنظیمات ذخیره شود ؟", +"Cannot add server configuration" => "نمی توان پیکربندی سرور را اضافه نمود", +"mappings cleared" => "نگاشت پاک شده است", +"Success" => "موفقیت", "Error" => "خطا", "Connection test succeeded" => "تست اتصال با موفقیت انجام گردید", "Connection test failed" => "تست اتصال ناموفق بود", @@ -11,9 +16,56 @@ "Server configuration" => "پیکربندی سرور", "Add Server Configuration" => "افزودن پیکربندی سرور", "Host" => "میزبانی", +"Base DN" => "پایه DN", +"One Base DN per line" => "یک پایه DN در هر خط", +"You can specify Base DN for users and groups in the Advanced tab" => "شما می توانید پایه DN را برای کاربران و گروه ها در زبانه Advanced مشخص کنید.", +"User DN" => "کاربر DN", "Password" => "گذرواژه", +"For anonymous access, leave DN and Password empty." => "برای دسترسی ناشناس، DN را رها نموده و رمزعبور را خالی بگذارید.", +"User Login Filter" => "فیلتر ورودی کاربر", "Group Filter" => "فیلتر گروه", +"without any placeholder, e.g. \"objectClass=posixGroup\"." => "بدون هیچ گونه حفره یا سوراخ، به عنوان مثال، \"objectClass = posixGroup\".", +"Connection Settings" => "تنظیمات اتصال", +"Configuration Active" => "پیکربندی فعال", +"When unchecked, this configuration will be skipped." => "زمانیکه انتخاب نشود، این پیکربندی نادیده گرفته خواهد شد.", "Port" => "درگاه", +"Backup (Replica) Host" => "پشتیبان گیری (بدل) میزبان", +"Backup (Replica) Port" => "پشتیبان گیری (بدل) پورت", +"Disable Main Server" => "غیر فعال کردن سرور اصلی", +"When switched on, ownCloud will only connect to the replica server." => "وقتی روشن می شود، ownCloud تنها با سرور ماکت ارتباط برقرار می کند.", +"Use TLS" => "استفاده ازTLS", +"Do not use it additionally for LDAPS connections, it will fail." => "علاوه بر این برای اتصالات LDAPS از آن استفاده نکنید، با شکست مواجه خواهد شد.", +"Case insensitve LDAP server (Windows)" => "غیر حساس به بزرگی و کوچکی حروف LDAP سرور (ویندوز)", +"Turn off SSL certificate validation." => "غیرفعال کردن اعتبار گواهی نامه SSL .", +"Not recommended, use for testing only." => "توصیه نمی شود، تنها برای آزمایش استفاده کنید.", +"Directory Settings" => "تنظیمات پوشه", +"User Display Name Field" => "فیلد نام کاربر", +"Base User Tree" => "کاربر درخت پایه", +"One User Base DN per line" => "یک کاربر پایه DN در هر خط", +"User Search Attributes" => "ویژگی های جستجوی کاربر", +"Optional; one attribute per line" => "اختیاری؛ یک ویژگی در هر خط", +"Group Display Name Field" => "فیلد نام گروه", +"Base Group Tree" => "گروه درخت پایه ", +"One Group Base DN per line" => "یک گروه پایه DN در هر خط", +"Group Search Attributes" => "گروه صفات جستجو", +"Group-Member association" => "انجمن گروه کاربران", +"Special Attributes" => "ویژگی های مخصوص", +"Quota Field" => "سهمیه بندی انجام نشد.", +"Quota Default" => "سهمیه بندی پیش فرض", "in bytes" => "در بایت", +"Email Field" => "ایمیل ارسال نشد.", +"User Home Folder Naming Rule" => "قانون نامگذاری پوشه خانه کاربر", +"Leave empty for user name (default). Otherwise, specify an LDAP/AD attribute." => "خالی گذاشتن برای نام کاربری (پیش فرض). در غیر این صورت، تعیین یک ویژگی LDAP/AD.", +"Internal Username" => "نام کاربری داخلی", +"By default the internal username will be created from the UUID attribute. It makes sure that the username is unique and characters do not need to be converted. The internal username has the restriction that only these characters are allowed: [ a-zA-Z0-9_.@- ]. Other characters are replaced with their ASCII correspondence or simply omitted. On collisions a number will be added/increased. The internal username is used to identify a user internally. It is also the default name for the user home folder in ownCloud. It is also a port of remote URLs, for instance for all *DAV services. With this setting, the default behaviour can be overriden. To achieve a similar behaviour as before ownCloud 5 enter the user display name attribute in the following field. Leave it empty for default behaviour. Changes will have effect only on newly mapped (added) LDAP users." => "به طور پیش فرض نام کاربری داخلی از ویژگی UUID ایجاد خواهد شد. این اطمینان حاصل می کند که نام کاربری منحصر به فرد است و کاراکترها نیاز به تبدیل ندارند. نام کاربری داخلی دارای محدودیت است که فقط این کاراکتر ها مجاز می باشند: [ a-zA-Z0-9_.@- ]. بقیه کاراکترها با مکاتبات ASCII آنها جایگزین میشود یا به سادگی حذف شوند. در برخورد یک عدد اضافه خواهد شد / افزایش یافته است. نام کاربری داخلی برای شناسایی یک کاربر داخلی استفاده می شود.همچنین این نام به طور پیش فرض برای پوشه خانه کاربر در ownCloud. همچنین یک پورت برای آدرس های دور از راه است، به عنوان مثال برای تمام خدمات *DAV. با این تنظیمات، رفتار پیش فرض می تواند لغو گردد. برای رسیدن به یک رفتار مشابه به عنوان قبل، ownCloud 5 وارد نمایش ویژگی نام کاربر در زمینه های زیر است. آن را برای رفتار پیش فرض خالی بگذارید. تغییرات اثربخش خواهد بود فقط در نگاشت جدید(اضافه شده) کاربران LDAP .", +"Internal Username Attribute:" => "ویژگی نام کاربری داخلی:", +"Override UUID detection" => "نادیده گرفتن تشخیص UUID ", +"By default, ownCloud autodetects the UUID attribute. The UUID attribute is used to doubtlessly identify LDAP users and groups. Also, the internal username will be created based on the UUID, if not specified otherwise above. You can override the setting and pass an attribute of your choice. You must make sure that the attribute of your choice can be fetched for both users and groups and it is unique. Leave it empty for default behaviour. Changes will have effect only on newly mapped (added) LDAP users and groups." => "به طور پیش فرض، ownCloud ویژگی UUID را به صورت اتوماتیک تشخیص می دهد. ویژگی UUID برای شناسایی کاربران و گروه های LDAP استفاده می شود. همچنین، نام کاربری داخلی بر پایه UUID ایجاد خواهد شد، در غیر اینصورت در بالا مشخص نشده باشد. شما می توانید تنظیمات را لغو کنید و یک ویژگی از انتخابتان را تصویب کنید. شما باید مطمئن شوید که ویژگی انتخاب شده شما می تواند آورده شود برای کاربران و گروه ها و آن منحصر به فرد است. آن را برای رفتار پیش فرض ترک کن. تغییرات فقط بر روی نگاشت جدید (اضافه شده) کاربران و گروه های LDAP .", +"UUID Attribute:" => "صفت UUID:", +"Username-LDAP User Mapping" => "نام کاربری - نگاشت کاربر LDAP ", +"ownCloud uses usernames to store and assign (meta) data. In order to precisely identify and recognize users, each LDAP user will have a internal username. This requires a mapping from ownCloud username to LDAP user. The created username is mapped to the UUID of the LDAP user. Additionally the DN is cached as well to reduce LDAP interaction, but it is not used for identification. If the DN changes, the changes will be found by ownCloud. The internal ownCloud name is used all over in ownCloud. Clearing the Mappings will have leftovers everywhere. Clearing the Mappings is not configuration sensitive, it affects all LDAP configurations! Do never clear the mappings in a production environment. Only clear mappings in a testing or experimental stage." => "ownCloud از نام های کاربری برای ذخیره و تعیین داده (متا) استفاده می کند. به منظور دقت شناسایی و به رسمیت شناختن کاربران، هر کاربرLDAP باید یک نام کاربری داخلی داشته باشد. این نیازمند یک نگاشت از نام کاربری ownCloud به کاربرLDAP است. نام کاربری ساخته شده به UUID از کاربرLDAP نگاشته شده است. علاوه بر این DN پنهانی نیز بخوبی برای کاهش تعامل LDAP است، اما برای شناسایی مورد استفاده قرار نمی گیرد. اگر DN تغییر کند، تغییرات توسط ownCloud یافت خواهند شد. نام داخلی ownCloud در تمام ownCloud استفاده می شود. پاک سازی نگاشت ها در همه جا باقی مانده باشد. پیکربندی پاک سازی نگاشت ها حساس نیست، آن تحت تاثیر تمام پیکربندی های LDAP است! آیا هرگز نگاشت را در یک محیط تولید پاک کرده اید. نگاشت ها را فقط در وضعیت آزمایشی یا تجربی پاک کن.", +"Clear Username-LDAP User Mapping" => "پاک کردن نام کاربری- LDAP نگاشت کاربر ", +"Clear Groupname-LDAP Group Mapping" => "پاک کردن نام گروه -LDAP گروه نقشه برداری", +"Test Configuration" => "امتحان پیکربندی", "Help" => "راه‌نما" ); diff --git a/apps/user_ldap/l10n/hi.php b/apps/user_ldap/l10n/hi.php index 45166eb0e3..8e8e4e8ff6 100644 --- a/apps/user_ldap/l10n/hi.php +++ b/apps/user_ldap/l10n/hi.php @@ -1,4 +1,5 @@ "त्रुटि", "Password" => "पासवर्ड", "Help" => "सहयोग" ); diff --git a/apps/user_ldap/l10n/pt_PT.php b/apps/user_ldap/l10n/pt_PT.php index 308fd34760..aca8c8e770 100644 --- a/apps/user_ldap/l10n/pt_PT.php +++ b/apps/user_ldap/l10n/pt_PT.php @@ -75,10 +75,13 @@ "User Home Folder Naming Rule" => "Regra da pasta inicial do utilizador", "Leave empty for user name (default). Otherwise, specify an LDAP/AD attribute." => "Deixe vazio para nome de utilizador (padrão). De outro modo, especifique um atributo LDAP/AD.", "Internal Username" => "Nome de utilizador interno", +"By default the internal username will be created from the UUID attribute. It makes sure that the username is unique and characters do not need to be converted. The internal username has the restriction that only these characters are allowed: [ a-zA-Z0-9_.@- ]. Other characters are replaced with their ASCII correspondence or simply omitted. On collisions a number will be added/increased. The internal username is used to identify a user internally. It is also the default name for the user home folder in ownCloud. It is also a port of remote URLs, for instance for all *DAV services. With this setting, the default behaviour can be overriden. To achieve a similar behaviour as before ownCloud 5 enter the user display name attribute in the following field. Leave it empty for default behaviour. Changes will have effect only on newly mapped (added) LDAP users." => "Por padrão o nome de utilizador interno vai ser criado através do atributo UUID. Desta forma é assegurado que o nome é único e os caracteres nao necessitam de serem convertidos. O nome interno tem a restrição de que apenas estes caracteres são permitidos: [ a-zA-Z0-9_.@- ]. Outros caracteres são substituidos pela sua correspondência ASCII ou simplesmente omitidos. Mesmo assim, quando for detetado uma colisão irá ser acrescentado um número. O nome interno é usado para identificar o utilizador internamente. É também o nome utilizado para a pasta inicial no ownCloud. É também parte de URLs remotos, como por exemplo os serviços *DAV. Com esta definição, o comportamento padrão é pode ser sobreposto. Para obter o mesmo comportamento antes do ownCloud 5 introduza o atributo do nome no campo seguinte. Deixe vazio para obter o comportamento padrão. As alterações apenas serão feitas para novos utilizadores LDAP.", "Internal Username Attribute:" => "Atributo do nome de utilizador interno", "Override UUID detection" => "Passar a detecção do UUID", +"By default, ownCloud autodetects the UUID attribute. The UUID attribute is used to doubtlessly identify LDAP users and groups. Also, the internal username will be created based on the UUID, if not specified otherwise above. You can override the setting and pass an attribute of your choice. You must make sure that the attribute of your choice can be fetched for both users and groups and it is unique. Leave it empty for default behaviour. Changes will have effect only on newly mapped (added) LDAP users and groups." => "Por defeito, o ownCloud deteta automaticamente o atributo UUID. Este atributo é usado para identificar inequivocamente grupos e utilizadores LDAP. Igualmente, o nome de utilizador interno é criado com base no UUID, se o contrário não for especificado. Pode sobrepor esta definição colocando um atributo à sua escolha. Tenha em atenção que esse atributo deve ser válido tanto para grupos como para utilizadores, e que é único. Deixe em branco para optar pelo comportamento por defeito. Estas alteração apenas terão efeito em novos utilizadores e grupos mapeados (adicionados).", "UUID Attribute:" => "Atributo UUID:", "Username-LDAP User Mapping" => "Mapeamento do utilizador LDAP", +"ownCloud uses usernames to store and assign (meta) data. In order to precisely identify and recognize users, each LDAP user will have a internal username. This requires a mapping from ownCloud username to LDAP user. The created username is mapped to the UUID of the LDAP user. Additionally the DN is cached as well to reduce LDAP interaction, but it is not used for identification. If the DN changes, the changes will be found by ownCloud. The internal ownCloud name is used all over in ownCloud. Clearing the Mappings will have leftovers everywhere. Clearing the Mappings is not configuration sensitive, it affects all LDAP configurations! Do never clear the mappings in a production environment. Only clear mappings in a testing or experimental stage." => "O ownCloud usa nomes de utilizadores para guardar e atribuir (meta) dados. Para identificar com precisão os utilizadores, cada utilizador de LDAP tem um nome de utilizador interno. Isto requer um mapeamento entre o utilizador LDAP e o utilizador ownCloud. Adicionalmente, o DN é colocado em cache para reduzir a interação com LDAP, porém não é usado para identificação. Se o DN muda, essas alterações serão vistas pelo ownCloud. O nome interno do ownCloud é usado em todo o lado, no ownCloud. Limpar os mapeamentos deixará vestígios em todo o lado. A limpeza dos mapeamentos não é sensível à configuração, pois afeta todas as configurações de LDAP! Nunca limpe os mapeamentos num ambiente de produção, apenas o faça numa fase de testes ou experimental.", "Clear Username-LDAP User Mapping" => "Limpar mapeamento do utilizador-LDAP", "Clear Groupname-LDAP Group Mapping" => "Limpar o mapeamento do nome de grupo LDAP", "Test Configuration" => "Testar a configuração", diff --git a/apps/user_ldap/l10n/zh_TW.php b/apps/user_ldap/l10n/zh_TW.php index d01e75356c..cde743f003 100644 --- a/apps/user_ldap/l10n/zh_TW.php +++ b/apps/user_ldap/l10n/zh_TW.php @@ -1,11 +1,76 @@ "清除映射失敗", +"Failed to delete the server configuration" => "刪除伺服器設定時失敗", +"The configuration is valid and the connection could be established!" => "設定有效且連線可建立", +"The configuration is valid, but the Bind failed. Please check the server settings and credentials." => "設定有效但連線無法建立。請檢查伺服器的設定與認證資料。", +"The configuration is invalid. Please look in the ownCloud log for further details." => "設定無效。更多細節請參閱ownCloud的記錄檔。", "Deletion failed" => "移除失敗", +"Take over settings from recent server configuration?" => "要使用最近一次的伺服器設定嗎?", +"Keep settings?" => "維持設定嗎?", +"Cannot add server configuration" => "無法新增伺服器設定", +"mappings cleared" => "映射已清除", "Success" => "成功", "Error" => "錯誤", +"Connection test succeeded" => "連線測試成功", +"Connection test failed" => "連線測試失敗", +"Do you really want to delete the current Server Configuration?" => "您真的確定要刪除現在的伺服器設定嗎?", +"Confirm Deletion" => "確認已刪除", +"Warning: Apps user_ldap and user_webdavauth are incompatible. You may experience unexpected behaviour. Please ask your system administrator to disable one of them." => "警告: 應用程式user_ldap和user_webdavauth互不相容。可能會造成無法預期的結果。請要求您的系統管理員將兩者其中之一停用。", +"Warning: The PHP LDAP module is not installed, the backend will not work. Please ask your system administrator to install it." => "警告:沒有安裝 PHP LDAP 模組,後端系統將無法運作。請要求您的系統管理員安裝模組。", +"Server configuration" => "伺服器設定", +"Add Server Configuration" => "新增伺服器設定", "Host" => "主機", +"You can omit the protocol, except you require SSL. Then start with ldaps://" => "若您不需要SSL加密傳輸則可忽略通訊協定。若非如此請從ldaps://開始", +"One Base DN per line" => "一行一個Base DN", +"You can specify Base DN for users and groups in the Advanced tab" => "您可以在進階標籤頁裡面指定使用者及群組的Base DN", +"The DN of the client user with which the bind shall be done, e.g. uid=agent,dc=example,dc=com. For anonymous access, leave DN and Password empty." => "客戶端使用者的DN與特定字詞的連結需要完善,例如:uid=agent,dc=example,dc=com。若是匿名連接,則將DN與密碼欄位留白。", "Password" => "密碼", +"For anonymous access, leave DN and Password empty." => "匿名連接時請將DN與密碼欄位留白", +"User Login Filter" => "使用者登入過濾器", +"Defines the filter to apply, when login is attempted. %%uid replaces the username in the login action." => "試圖登入時會定義要套用的篩選器。登入過程中%%uid會取代使用者名稱。", +"use %%uid placeholder, e.g. \"uid=%%uid\"" => "請使用 %%uid placeholder,例如:\"uid=%%uid\"", +"User List Filter" => "使用者名單篩選器", +"Defines the filter to apply, when retrieving users." => "檢索使用者時定義要套用的篩選器", +"without any placeholder, e.g. \"objectClass=person\"." => "請勿使用任何placeholder,例如:\"objectClass=person\"。", +"Group Filter" => "群組篩選器", +"Defines the filter to apply, when retrieving groups." => "檢索群組時,定義要套用的篩選器", +"without any placeholder, e.g. \"objectClass=posixGroup\"." => "請勿使用任何placeholder,例如:\"objectClass=posixGroup\"。", +"Connection Settings" => "連線設定", +"Configuration Active" => "設定為主動模式", +"When unchecked, this configuration will be skipped." => "沒有被勾選時,此設定會被略過。", "Port" => "連接阜", +"Backup (Replica) Host" => "備用主機", +"Give an optional backup host. It must be a replica of the main LDAP/AD server." => "請給定一個可選的備用主機。必須是LDAP/AD中央伺服器的複本。", +"Backup (Replica) Port" => "備用(複本)連接阜", +"Disable Main Server" => "停用主伺服器", +"When switched on, ownCloud will only connect to the replica server." => "當開關打開時,ownCloud將只會連接複本伺服器。", "Use TLS" => "使用TLS", +"Case insensitve LDAP server (Windows)" => "不區分大小寫的LDAP伺服器(Windows)", "Turn off SSL certificate validation." => "關閉 SSL 憑證驗證", +"If connection only works with this option, import the LDAP server's SSL certificate in your ownCloud server." => "若連線只有在此選項開啟時運作,請匯入LDAP伺服器的SSL認證到您的ownCloud伺服器。", +"Not recommended, use for testing only." => "不推薦使用,僅供測試用途。", +"Cache Time-To-Live" => "快取的存活時間", +"in seconds. A change empties the cache." => "以秒為單位。更變後會清空快取。", +"Directory Settings" => "目錄選項", +"User Display Name Field" => "使用者名稱欄位", +"The LDAP attribute to use to generate the user`s ownCloud name." => "用於產生ownCloud名稱", +"Base User Tree" => "Base使用者數", +"One User Base DN per line" => "一行一個使用者Base DN", +"User Search Attributes" => "使用者搜索屬性", +"Optional; one attribute per line" => "可選的; 一行一項屬性", +"Group Display Name Field" => "群組顯示名稱欄位", +"Base Group Tree" => "Base群組樹", +"One Group Base DN per line" => "一行一個群組Base DN", +"Group Search Attributes" => "群組搜索屬性", +"Group-Member association" => "群組成員的關係", +"Special Attributes" => "特殊屬性", +"Quota Field" => "配額欄位", +"Quota Default" => "預設配額", +"in bytes" => "以位元組為單位", +"Email Field" => "電郵欄位", +"User Home Folder Naming Rule" => "使用者家目錄的命名規則", +"Leave empty for user name (default). Otherwise, specify an LDAP/AD attribute." => "使用者名稱請留白(預設)。若不留白請指定一個LDAP/AD屬性。", +"Internal Username" => "內部使用者名稱", +"Test Configuration" => "測試此設定", "Help" => "說明" ); diff --git a/apps/user_ldap/lib/connection.php b/apps/user_ldap/lib/connection.php index 31150a5bec..36c8e648b1 100644 --- a/apps/user_ldap/lib/connection.php +++ b/apps/user_ldap/lib/connection.php @@ -209,6 +209,22 @@ class Connection { $value); } + /** + * Special handling for reading Base Configuration + * + * @param $base the internal name of the config key + * @param $value the value stored for the base + */ + private function readBase($base, $value) { + if(empty($value)) { + $value = ''; + } else { + $value = preg_split('/\r\n|\r|\n/', $value); + } + + $this->config[$base] = $value; + } + /** * Caches the general LDAP configuration. */ @@ -224,14 +240,9 @@ class Connection { $this->config['ldapAgentName'] = $this->$v('ldap_dn'); $this->config['ldapAgentPassword'] = base64_decode($this->$v('ldap_agent_password')); - $rawLdapBase = $this->$v('ldap_base'); - $this->config['ldapBase'] - = preg_split('/\r\n|\r|\n/', $rawLdapBase); - $this->config['ldapBaseUsers'] - = preg_split('/\r\n|\r|\n/', ($this->$v('ldap_base_users'))); - $this->config['ldapBaseGroups'] - = preg_split('/\r\n|\r|\n/', $this->$v('ldap_base_groups')); - unset($rawLdapBase); + $this->readBase('ldapBase', $this->$v('ldap_base')); + $this->readBase('ldapBaseUsers', $this->$v('ldap_base_users')); + $this->readBase('ldapBaseGroups', $this->$v('ldap_base_groups')); $this->config['ldapTLS'] = $this->$v('ldap_tls'); $this->config['ldapNoCase'] = $this->$v('ldap_nocase'); $this->config['turnOffCertCheck'] diff --git a/apps/user_ldap/lib/jobs.php b/apps/user_ldap/lib/jobs.php index 60ecc0da33..d626afed6c 100644 --- a/apps/user_ldap/lib/jobs.php +++ b/apps/user_ldap/lib/jobs.php @@ -134,21 +134,19 @@ class Jobs extends \OC\BackgroundJob\TimedJob { \OCP\Util::DEBUG); } - static private function getConnector() { - if(!is_null(self::$connector)) { - return self::$connector; - } - self::$connector = new \OCA\user_ldap\lib\Connection('user_ldap'); - return self::$connector; - } - static private function getGroupBE() { if(!is_null(self::$groupBE)) { return self::$groupBE; } - self::getConnector(); - self::$groupBE = new \OCA\user_ldap\GROUP_LDAP(); - self::$groupBE->setConnector(self::$connector); + $configPrefixes = Helper::getServerConfigurationPrefixes(true); + if(count($configPrefixes) == 1) { + //avoid the proxy when there is only one LDAP server configured + $connector = new Connection($configPrefixes[0]); + self::$groupBE = new \OCA\user_ldap\GROUP_LDAP(); + self::$groupBE->setConnector($connector); + } else { + self::$groupBE = new \OCA\user_ldap\Group_Proxy($configPrefixes); + } return self::$groupBE; } diff --git a/apps/user_ldap/templates/settings.php b/apps/user_ldap/templates/settings.php index 972970aa3e..95aa592594 100644 --- a/apps/user_ldap/templates/settings.php +++ b/apps/user_ldap/templates/settings.php @@ -6,7 +6,7 @@
  • Expert
  • '.$l->t('Warning: Apps user_ldap and user_webdavauth are incompatible. You may experience unexpected behaviour. Please ask your system administrator to disable one of them.').'

    '); + print_unescaped('

    '.$l->t('Warning: Apps user_ldap and user_webdavauth are incompatible. You may experience unexpected behavior. Please ask your system administrator to disable one of them.').'

    '); } if(!function_exists('ldap_connect')) { print_unescaped('

    '.$l->t('Warning: The PHP LDAP module is not installed, the backend will not work. Please ask your system administrator to install it.').'

    '); @@ -72,18 +72,18 @@

    -

    +

    >

    -


    t('Not recommended, use for testing only.'));?>

    +


    t('Not recommended, use for testing only.'));?>

    t('Directory Settings'));?>

    -

    +

    -

    +

    @@ -99,16 +99,16 @@

    t('Internal Username'));?>

    -

    t('By default the internal username will be created from the UUID attribute. It makes sure that the username is unique and characters do not need to be converted. The internal username has the restriction that only these characters are allowed: [ a-zA-Z0-9_.@- ]. Other characters are replaced with their ASCII correspondence or simply omitted. On collisions a number will be added/increased. The internal username is used to identify a user internally. It is also the default name for the user home folder in ownCloud. It is also a port of remote URLs, for instance for all *DAV services. With this setting, the default behaviour can be overriden. To achieve a similar behaviour as before ownCloud 5 enter the user display name attribute in the following field. Leave it empty for default behaviour. Changes will have effect only on newly mapped (added) LDAP users.'));?>

    +

    t('By default the internal username will be created from the UUID attribute. It makes sure that the username is unique and characters do not need to be converted. The internal username has the restriction that only these characters are allowed: [ a-zA-Z0-9_.@- ]. Other characters are replaced with their ASCII correspondence or simply omitted. On collisions a number will be added/increased. The internal username is used to identify a user internally. It is also the default name for the user home folder. It is also a part of remote URLs, for instance for all *DAV services. With this setting, the default behavior can be overridden. To achieve a similar behavior as before ownCloud 5 enter the user display name attribute in the following field. Leave it empty for default behavior. Changes will have effect only on newly mapped (added) LDAP users.'));?>

    t('Override UUID detection'));?>

    -

    t('By default, ownCloud autodetects the UUID attribute. The UUID attribute is used to doubtlessly identify LDAP users and groups. Also, the internal username will be created based on the UUID, if not specified otherwise above. You can override the setting and pass an attribute of your choice. You must make sure that the attribute of your choice can be fetched for both users and groups and it is unique. Leave it empty for default behaviour. Changes will have effect only on newly mapped (added) LDAP users and groups.'));?>

    +

    t('By default, the UUID attribute is automatically detected. The UUID attribute is used to doubtlessly identify LDAP users and groups. Also, the internal username will be created based on the UUID, if not specified otherwise above. You can override the setting and pass an attribute of your choice. You must make sure that the attribute of your choice can be fetched for both users and groups and it is unique. Leave it empty for default behavior. Changes will have effect only on newly mapped (added) LDAP users and groups.'));?>

    t('Username-LDAP User Mapping'));?>

    -

    t('ownCloud uses usernames to store and assign (meta) data. In order to precisely identify and recognize users, each LDAP user will have a internal username. This requires a mapping from ownCloud username to LDAP user. The created username is mapped to the UUID of the LDAP user. Additionally the DN is cached as well to reduce LDAP interaction, but it is not used for identification. If the DN changes, the changes will be found by ownCloud. The internal ownCloud name is used all over in ownCloud. Clearing the Mappings will have leftovers everywhere. Clearing the Mappings is not configuration sensitive, it affects all LDAP configurations! Do never clear the mappings in a production environment. Only clear mappings in a testing or experimental stage.'));?>

    +

    t('Usernames are used to store and assign (meta) data. In order to precisely identify and recognize users, each LDAP user will have a internal username. This requires a mapping from username to LDAP user. The created username is mapped to the UUID of the LDAP user. Additionally the DN is cached as well to reduce LDAP interaction, but it is not used for identification. If the DN changes, the changes will be found. The internal username is used all over. Clearing the mappings will have leftovers everywhere. Clearing the mappings is not configuration sensitive, it affects all LDAP configurations! Never clear the mappings in a production environment, only in a testing or experimental stage.'));?>


    - t('Help'));?> + t('Help'));?>
    diff --git a/apps/user_webdavauth/l10n/de.php b/apps/user_webdavauth/l10n/de.php index e2db395b1c..a6d61a497f 100644 --- a/apps/user_webdavauth/l10n/de.php +++ b/apps/user_webdavauth/l10n/de.php @@ -1,4 +1,5 @@ "WebDAV Authentifikation", +"URL: " => "URL:", "ownCloud will send the user credentials to this URL. This plugin checks the response and will interpret the HTTP statuscodes 401 and 403 as invalid credentials, and all other responses as valid credentials." => "ownCloud sendet die Benutzerdaten an diese URL. Dieses Plugin prüft die Antwort und wird die Statuscodes 401 und 403 als ungültige Daten und alle anderen Antworten als gültige Daten interpretieren." ); diff --git a/apps/user_webdavauth/l10n/et_EE.php b/apps/user_webdavauth/l10n/et_EE.php index 470cb2b0f1..f95b521413 100644 --- a/apps/user_webdavauth/l10n/et_EE.php +++ b/apps/user_webdavauth/l10n/et_EE.php @@ -1,4 +1,5 @@ "WebDAV autentimine", +"URL: " => "URL: ", "ownCloud will send the user credentials to this URL. This plugin checks the response and will interpret the HTTP statuscodes 401 and 403 as invalid credentials, and all other responses as valid credentials." => "ownCloud saadab kasutajatunnused sellel aadressil. See vidin kontrollib vastust ning tuvastab HTTP vastuskoodid 401 ja 403 kui vigased, ning kõik teised vastused kui korrektsed kasutajatunnused." ); diff --git a/apps/user_webdavauth/l10n/ru.php b/apps/user_webdavauth/l10n/ru.php index d5f554c802..20acc6e59a 100644 --- a/apps/user_webdavauth/l10n/ru.php +++ b/apps/user_webdavauth/l10n/ru.php @@ -1,4 +1,5 @@ "Идентификация WebDAV", +"URL: " => "URL:", "ownCloud will send the user credentials to this URL. This plugin checks the response and will interpret the HTTP statuscodes 401 and 403 as invalid credentials, and all other responses as valid credentials." => "ownCloud отправит учётные данные пользователя на этот адрес. Затем плагин проверит ответ, в случае HTTP ответа 401 или 403 данные будут считаться неверными, при любых других ответах - верными." ); diff --git a/apps/user_webdavauth/l10n/zh_TW.php b/apps/user_webdavauth/l10n/zh_TW.php index 32166b0475..827a7ef292 100644 --- a/apps/user_webdavauth/l10n/zh_TW.php +++ b/apps/user_webdavauth/l10n/zh_TW.php @@ -1,4 +1,5 @@ "WebDAV 認證", -"ownCloud will send the user credentials to this URL. This plugin checks the response and will interpret the HTTP statuscodes 401 and 403 as invalid credentials, and all other responses as valid credentials." => "ownCloud 會將把用戶的登入資訊發送到這個網址以嘗試登入,並檢查回應, HTTP 狀態碼401和403視為登入失敗,所有其他回應視為登入成功。" +"URL: " => "URL: ", +"ownCloud will send the user credentials to this URL. This plugin checks the response and will interpret the HTTP statuscodes 401 and 403 as invalid credentials, and all other responses as valid credentials." => "ownCloud 將會把用戶的帳密傳送至這個網址以嘗試登入,並檢查回應,HTTP 狀態碼401和403視為登入失敗,所有其他回應視為登入成功。" ); diff --git a/apps/user_webdavauth/templates/settings.php b/apps/user_webdavauth/templates/settings.php index e199c32675..70c10057c2 100755 --- a/apps/user_webdavauth/templates/settings.php +++ b/apps/user_webdavauth/templates/settings.php @@ -1,9 +1,9 @@
    t('WebDAV Authentication'));?> -

    +

    -
    t('ownCloud will send the user credentials to this URL. This plugin checks the response and will interpret the HTTP statuscodes 401 and 403 as invalid credentials, and all other responses as valid credentials.')); ?> +
    t('The user credentials will be sent to this address. This plugin checks the response and will interpret the HTTP statuscodes 401 and 403 as invalid credentials, and all other responses as valid credentials.')); ?>

    diff --git a/autotest.sh b/autotest.sh index 59f0240d99..abe0b92586 100755 --- a/autotest.sh +++ b/autotest.sh @@ -3,12 +3,18 @@ # ownCloud # # @author Thomas Müller -# @copyright 2012 Thomas Müller thomas.mueller@tmit.eu +# @copyright 2012, 2013 Thomas Müller thomas.mueller@tmit.eu # +#$EXECUTOR_NUMBER is set by Jenkins and allows us to run autotest in parallel +DATABASENAME=oc_autotest$EXECUTOR_NUMBER +DATABASEUSER=oc_autotest$EXECUTOR_NUMBER +ADMINLOGIN=admin$EXECUTOR_NUMBER DATADIR=data-autotest BASEDIR=$PWD +echo "Using database $DATABASENAME" + # create autoconfig for sqlite, mysql and postgresql cat > ./tests/autoconfig-sqlite.php < ./tests/autoconfig-sqlite.php < false, 'dbtype' => 'sqlite', 'dbtableprefix' => 'oc_', - 'adminlogin' => 'admin', + 'adminlogin' => '$ADMINLOGIN', 'adminpass' => 'admin', 'directory' => '$BASEDIR/$DATADIR', ); @@ -28,13 +34,13 @@ cat > ./tests/autoconfig-mysql.php < false, 'dbtype' => 'mysql', 'dbtableprefix' => 'oc_', - 'adminlogin' => 'admin', + 'adminlogin' => '$ADMINLOGIN', 'adminpass' => 'admin', 'directory' => '$BASEDIR/$DATADIR', - 'dbuser' => 'oc_autotest', - 'dbname' => 'oc_autotest', + 'dbuser' => '$DATABASEUSER', + 'dbname' => '$DATABASENAME', 'dbhost' => 'localhost', - 'dbpass' => 'owncloud', + 'dbpass' => 'owncloud', ); DELIM @@ -44,13 +50,13 @@ cat > ./tests/autoconfig-pgsql.php < false, 'dbtype' => 'pgsql', 'dbtableprefix' => 'oc_', - 'adminlogin' => 'admin', + 'adminlogin' => '$ADMINLOGIN', 'adminpass' => 'admin', 'directory' => '$BASEDIR/$DATADIR', - 'dbuser' => 'oc_autotest', - 'dbname' => 'oc_autotest', + 'dbuser' => '$DATABASEUSER', + 'dbname' => '$DATABASENAME', 'dbhost' => 'localhost', - 'dbpass' => 'owncloud', + 'dbpass' => 'owncloud', ); DELIM @@ -60,10 +66,10 @@ cat > ./tests/autoconfig-oci.php < false, 'dbtype' => 'oci', 'dbtableprefix' => 'oc_', - 'adminlogin' => 'admin', + 'adminlogin' => '$ADMINLOGIN', 'adminpass' => 'admin', 'directory' => '$BASEDIR/$DATADIR', - 'dbuser' => 'oc_autotest', + 'dbuser' => '$DATABASENAME', 'dbname' => 'XE', 'dbhost' => 'localhost', 'dbpass' => 'owncloud', @@ -88,21 +94,21 @@ function execute_tests { # drop database if [ "$1" == "mysql" ] ; then - mysql -u oc_autotest -powncloud -e "DROP DATABASE oc_autotest" + mysql -u $DATABASEUSER -powncloud -e "DROP DATABASE $DATABASENAME" fi if [ "$1" == "pgsql" ] ; then - dropdb -U oc_autotest oc_autotest + dropdb -U $DATABASEUSER $DATABASENAME fi if [ "$1" == "oci" ] ; then echo "drop the database" sqlplus -s -l / as sysdba < - - @@ -172,8 +170,6 @@ jQuery,$$,OC,$,oc_webroot,oc_appswebroots,oc_current_user,t,Files,FileList,FileA - - diff --git a/config/config.sample.php b/config/config.sample.php index dfa29f329c..4d1950d60e 100644 --- a/config/config.sample.php +++ b/config/config.sample.php @@ -129,17 +129,17 @@ $CONFIG = array( /* Are we connected to the internet or are we running in a closed network? */ "has_internet_connection" => true, - /* Place to log to, can be owncloud and syslog (owncloud is log menu item in admin menu) */ +/* Place to log to, can be owncloud and syslog (owncloud is log menu item in admin menu) */ "log_type" => "owncloud", -/* File for the owncloud logger to log to, (default is ownloud.log in the data dir */ +/* File for the owncloud logger to log to, (default is ownloud.log in the data dir) */ "logfile" => "", /* Loglevel to start logging at. 0=DEBUG, 1=INFO, 2=WARN, 3=ERROR (default is WARN) */ "loglevel" => "", -/* Append All database query and parameters to the log file. - (whatch out, this option can increase the size of your log file)*/ +/* Append all database queries and parameters to the log file. + (watch out, this option can increase the size of your log file)*/ "log_query" => false, /* Lifetime of the remember login cookie, default is 15 days */ @@ -167,8 +167,8 @@ $CONFIG = array( /* Set an array of path for your apps directories key 'path' is for the fs path and the key 'url' is for the http path to your - applications paths. 'writable' indicate if the user can install apps in this folder. - You must have at least 1 app folder writable or you must set the parameter : appstoreenabled to false + applications paths. 'writable' indicates whether the user can install apps in this folder. + You must have at least 1 app folder writable or you must set the parameter 'appstoreenabled' to false */ array( 'path'=> '/var/www/owncloud/apps', diff --git a/core/ajax/update.php b/core/ajax/update.php index db00da0223..43ed75b07f 100644 --- a/core/ajax/update.php +++ b/core/ajax/update.php @@ -4,113 +4,34 @@ $RUNTIME_NOAPPS = true; require_once '../../lib/base.php'; if (OC::checkUpgrade(false)) { - \OC_DB::enableCaching(false); - OC_Config::setValue('maintenance', true); - $installedVersion = OC_Config::getValue('version', '0.0.0'); - $currentVersion = implode('.', OC_Util::getVersion()); - OC_Log::write('core', 'starting upgrade from ' . $installedVersion . ' to ' . $currentVersion, OC_Log::WARN); - $updateEventSource = new OC_EventSource(); - $watcher = new UpdateWatcher($updateEventSource); - OC_Hook::connect('update', 'success', $watcher, 'success'); - OC_Hook::connect('update', 'error', $watcher, 'error'); - OC_Hook::connect('update', 'failure', $watcher, 'failure'); - $watcher->success('Turned on maintenance mode'); - try { - $result = OC_DB::updateDbFromStructure(OC::$SERVERROOT.'/db_structure.xml'); - $watcher->success('Updated database'); - - // do a file cache upgrade for users with files - // this can take loooooooooooooooooooooooong - __doFileCacheUpgrade($watcher); - } catch (Exception $exception) { - $watcher->failure($exception->getMessage()); - } - OC_Config::setValue('version', implode('.', OC_Util::getVersion())); - OC_App::checkAppsRequirements(); - // load all apps to also upgrade enabled apps - OC_App::loadApps(); - OC_Config::setValue('maintenance', false); - $watcher->success('Turned off maintenance mode'); - $watcher->done(); -} - -/** - * The FileCache Upgrade routine - * - * @param UpdateWatcher $watcher - */ -function __doFileCacheUpgrade($watcher) { - try { - $query = \OC_DB::prepare(' - SELECT DISTINCT `user` - FROM `*PREFIX*fscache` - '); - $result = $query->execute(); - } catch (\Exception $e) { - return; - } - $users = $result->fetchAll(); - if(count($users) == 0) { - return; - } - $step = 100 / count($users); - $percentCompleted = 0; - $lastPercentCompletedOutput = 0; - $startInfoShown = false; - foreach($users as $userRow) { - $user = $userRow['user']; - \OC\Files\Filesystem::initMountPoints($user); - \OC\Files\Cache\Upgrade::doSilentUpgrade($user); - if(!$startInfoShown) { - //We show it only now, because otherwise Info about upgraded apps - //will appear between this and progress info - $watcher->success('Updating filecache, this may take really long...'); - $startInfoShown = true; - } - $percentCompleted += $step; - $out = floor($percentCompleted); - if($out != $lastPercentCompletedOutput) { - $watcher->success('... '. $out.'% done ...'); - $lastPercentCompletedOutput = $out; - } - } - $watcher->success('Updated filecache'); -} - -class UpdateWatcher { - /** - * @var \OC_EventSource $eventSource; - */ - private $eventSource; - - public function __construct($eventSource) { - $this->eventSource = $eventSource; - } - - public function success($message) { - OC_Util::obEnd(); - $this->eventSource->send('success', $message); - ob_start(); - } - - public function error($message) { - OC_Util::obEnd(); - $this->eventSource->send('error', $message); - ob_start(); - } - - public function failure($message) { - OC_Util::obEnd(); - $this->eventSource->send('failure', $message); - $this->eventSource->close(); + $eventSource = new OC_EventSource(); + $updater = new \OC\Updater(\OC_Log::$object); + $updater->listen('\OC\Updater', 'maintenanceStart', function () use ($eventSource) { + $eventSource->send('success', 'Turned on maintenance mode'); + }); + $updater->listen('\OC\Updater', 'maintenanceEnd', function () use ($eventSource) { + $eventSource->send('success', 'Turned off maintenance mode'); + }); + $updater->listen('\OC\Updater', 'dbUpgrade', function () use ($eventSource) { + $eventSource->send('success', 'Updated database'); + }); + $updater->listen('\OC\Updater', 'filecacheStart', function () use ($eventSource) { + $eventSource->send('success', 'Updating filecache, this may take really long...'); + }); + $updater->listen('\OC\Updater', 'filecacheDone', function () use ($eventSource) { + $eventSource->send('success', 'Updated filecache'); + }); + $updater->listen('\OC\Updater', 'filecacheProgress', function ($out) use ($eventSource) { + $eventSource->send('success', '... ' . $out . '% done ...'); + }); + $updater->listen('\OC\Updater', 'failure', function ($message) use ($eventSource) { + $eventSource->send('failure', $message); + $eventSource->close(); OC_Config::setValue('maintenance', false); - die(); - } + }); - public function done() { - OC_Util::obEnd(); - $this->eventSource->send('done', ''); - $this->eventSource->close(); - } + $updater->upgrade(); -} \ No newline at end of file + $eventSource->send('done', ''); + $eventSource->close(); +} diff --git a/core/css/jquery.ocdialog.css b/core/css/jquery.ocdialog.css index c300b031af..aa72eaf847 100644 --- a/core/css/jquery.ocdialog.css +++ b/core/css/jquery.ocdialog.css @@ -35,7 +35,7 @@ position:absolute; top:7px; right:7px; height:20px; width:20px; - background:url('../img/actions/delete.svg') no-repeat center; + background:url('../img/actions/close.svg') no-repeat center; } .oc-dialog-dim { diff --git a/core/css/styles.css b/core/css/styles.css index 7c82b55def..d73b880a1c 100644 --- a/core/css/styles.css +++ b/core/css/styles.css @@ -3,7 +3,7 @@ See the COPYING-README file. */ html, body, div, span, object, iframe, h1, h2, h3, h4, h5, h6, p, blockquote, pre, a, abbr, acronym, address, code, del, dfn, em, img, q, dl, dt, dd, ol, ul, li, fieldset, form, label, legend, table, caption, tbody, tfoot, thead, tr, th, td, article, aside, dialog, figure, footer, header, hgroup, nav, section { margin:0; padding:0; border:0; outline:0; font-weight:inherit; font-size:100%; font-family:inherit; vertical-align:baseline; cursor:default; } -html, body { height:100%; overflow:auto; } +html, body { height:100%; } article, aside, dialog, figure, footer, header, hgroup, nav, section { display:block; } body { line-height:1.5; } table { border-collapse:separate; border-spacing:0; white-space:nowrap; } @@ -24,21 +24,16 @@ body { background:#fefefe; font:normal .8em/1.6em "Helvetica Neue",Helvetica,Ari box-shadow:0 0 10px rgba(0, 0, 0, .5), inset 0 -2px 10px #222; } -#body-login #header { - margin: -2em auto 0; - text-align:center; - height:10em; - padding:1em 0 .5em; - -moz-box-shadow:0 0 1em rgba(0, 0, 0, .5); - -webkit-box-shadow:0 0 1em rgba(0, 0, 0, .5); box-shadow:0 0 1em rgba(0, 0, 0, .5); - background:#1d2d44; /* Old browsers */ - background:-moz-linear-gradient(top, #35537a 0%, #1d2d44 100%); /* FF3.6+ */ - background:-webkit-gradient(linear, left top, left bottom, color-stop(0%,#35537a), color-stop(100%,#1d2d44)); /* Chrome,Safari4+ */ - background:-webkit-linear-gradient(top, #35537a 0%,#1d2d44 100%); /* Chrome10+,Safari5.1+ */ - background:-o-linear-gradient(top, #35537a 0%,#1d2d44 100%); /* Opera11.10+ */ - background:-ms-linear-gradient(top, #35537a 0%,#1d2d44 100%); /* IE10+ */ - background:linear-gradient(top, #35537a 0%,#1d2d44 100%); /* W3C */ - filter:progid:DXImageTransform.Microsoft.gradient( startColorstr='#35537a', endColorstr='#1d2d44',GradientType=0 ); /* IE6-9 */ +#body-login { + text-align: center; + background: #1d2d44; /* Old browsers */ + background: url('../img/noise.png'), -moz-linear-gradient(top, #35537a 0%, #1d2d44 100%); /* FF3.6+ */ + background: url('../img/noise.png'), -webkit-gradient(linear, left top, left bottom, color-stop(0%,#35537a), color-stop(100%,#1d2d44)); /* Chrome,Safari4+ */ + background: url('../img/noise.png'), -webkit-linear-gradient(top, #35537a 0%,#1d2d44 100%); /* Chrome10+,Safari5.1+ */ + background: url('../img/noise.png'), -o-linear-gradient(top, #35537a 0%,#1d2d44 100%); /* Opera11.10+ */ + background: url('../img/noise.png'), -ms-linear-gradient(top, #35537a 0%,#1d2d44 100%); /* IE10+ */ + background: url('../img/noise.png'), linear-gradient(top, #35537a 0%,#1d2d44 100%); /* W3C */ + filter: progid:DXImageTransform.Microsoft.gradient( startColorstr='#35537a', endColorstr='#1d2d44',GradientType=0 ); /* IE6-9 */ } #owncloud { position:absolute; top:0; left:0; padding:6px; padding-bottom:0; } @@ -119,33 +114,35 @@ a.disabled, a.disabled:hover, a.disabled:focus { /* Primary action button, use sparingly */ .primary, input[type="submit"].primary, input[type="button"].primary, button.primary, .button.primary { - border:1px solid #1d2d44; - background:#35537a; color:#ddd; text-shadow:#000 0 -1px 0; - -moz-box-shadow:0 0 1px #000,0 1px 1px #6d7d94 inset; - -webkit-box-shadow:0 0 1px #000,0 1px 1px #6d7d94 inset; - box-shadow:0 0 1px #000,0 1px 1px #6d7d94 inset; + border: 1px solid #1d2d44; + background: #35537a; + color: #ddd; + text-shadow: #000 0 -1px 0; + -moz-box-shadow: 0 0 1px #000, 0 1px 0 #6d7d94 inset; + -webkit-box-shadow: 0 0 1px #000, 0 1px 0 #6d7d94 inset; + box-shadow: 0 0 1px #000, 0 1px 0 #6d7d94 inset; } .primary:hover, input[type="submit"].primary:hover, input[type="button"].primary:hover, button.primary:hover, .button.primary:hover, .primary:focus, input[type="submit"].primary:focus, input[type="button"].primary:focus, button.primary:focus, .button.primary:focus { - border:1px solid #1d2d44; - background:#2d3d54; color:#fff; text-shadow:#000 0 -1px 0; - -moz-box-shadow:0 0 1px #000,0 1px 1px #5d6d84 inset; - -webkit-box-shadow:0 0 1px #000,0 1px 1px #5d6d84 inset; - box-shadow:0 0 1px #000,0 1px 1px #5d6d84 inset; + border: 1px solid #1d2d44; + background: #304d76; + color: #fff; + text-shadow: #000 0 -1px 0; + -moz-box-shadow: 0 0 1px #000, 0 1px 0 #4d5d74 inset; + -webkit-box-shadow: 0 0 1px #000, 0 1px 0 #4d5d74 inset; + box-shadow: 0 0 1px #000, 0 1px 0 #4d5d74 inset; } .primary:active, input[type="submit"].primary:active, input[type="button"].primary:active, button.primary:active, .button.primary:active { - border:1px solid #1d2d44; - background:#1d2d44; color:#bbb; text-shadow:#000 0 -1px 0; - -moz-box-shadow:0 1px 1px #fff,0 1px 1px 0 rgba(0,0,0,.2) inset; - -webkit-box-shadow:0 1px 1px #fff,0 1px 1px 0 rgba(0,0,0,.2) inset; - box-shadow:0 1px 1px #fff,0 1px 1px 0 rgba(0,0,0,.2) inset; + border: 1px solid #1d2d44; + background: #1d2d44; + color: #bbb; + text-shadow: #000 0 -1px 0; + -moz-box-shadow: 0 1px 1px #3d4d64, 0 1px 1px 0 rgba(0,0,0,.2) inset; + -webkit-box-shadow: 0 1px 1px #3d4d64, 0 1px 1px 0 rgba(0,0,0,.2) inset; + box-shadow: 0 1px 1px #3d4d64, 0 1px 1px 0 rgba(0,0,0,.2) inset; } -#body-login input { font-size:1.5em; } -#body-login input[type="text"], #body-login input[type="password"] { width:13em; } -#body-login input.login { width:auto; float:right; padding:7px 9px 6px; } -#remember_login { margin:.8em .2em 0 1em; vertical-align:text-bottom; } .searchbox input[type="search"] { font-size:1.2em; padding:.2em .5em .2em 1.5em; background:#fff url('../img/actions/search.svg') no-repeat .5em center; border:0; -moz-border-radius:1em; -webkit-border-radius:1em; border-radius:1em; -ms-filter:"progid:DXImageTransform.Microsoft.Alpha(Opacity=70)"; filter:alpha(opacity=70);opacity:.7; -webkit-transition:opacity 300ms; -moz-transition:opacity 300ms; -o-transition:opacity 300ms; transition:opacity 300ms; margin-top:10px; float:right; } input[type="submit"].enabled { background:#66f866; border:1px solid #5e5; -moz-box-shadow:0 1px 1px #f8f8f8, 0 1px 1px #cfc inset; -webkit-box-shadow:0 1px 1px #f8f8f8, 0 1px 1px #cfc inset; box-shadow:0 1px 1px #f8f8f8, 0 1px 1px #cfc inset; } #select_all{ margin-top:.4em } @@ -180,24 +177,67 @@ input[type="submit"].enabled { background:#66f866; border:1px solid #5e5; -moz-b #rightcontent, .rightcontent { position:fixed; top:6.4em; left:24.5em; overflow:auto } + + /* LOG IN & INSTALLATION ------------------------------------------------------------ */ -#body-login { background:#ddd; } + +/* Some whitespace to the top */ +#body-login #header { + padding-top: 100px; +} +/* Fix background gradient */ +#body-login { + background-attachment: fixed; +} + +/* Dark subtle label text */ +#body-login p.info, +#body-login form fieldset legend, +#body-login #datadirContent label, +#body-login form input[type="checkbox"]+label { + text-align: center; + color: #000; + text-shadow: 0 1px 0 rgba(255,255,255,.1); + -ms-filter: "progid:DXImageTransform.Microsoft.Alpha(Opacity=80)"; + filter: alpha(opacity=80); + opacity: .8; +} + #body-login div.buttons { text-align:center; } -#body-login p.info { width:22em; text-align:center; margin:2em auto; color:#777; text-shadow:#fff 0 1px 0; } -#body-login p.info a { font-weight:bold; color:#777; } +#body-login p.info { + width: 22em; + margin: 0 auto; + padding-top: 20px; +} +#body-login p.info a { + font-weight: bold; +} #body-login #submit.login { margin-right:7px; } /* quick fix for log in button not being aligned with input fields, should be properly fixed by input field width later */ -#login { min-height:30em; margin:2em auto 0; border-bottom:1px solid #f8f8f8; background:#eee; } -#login form { width:22em; margin:2em auto 2em; padding:0; } -#login form fieldset { margin-bottom:20px; } -#login form #adminaccount { margin-bottom:5px; } -#login form fieldset legend, #datadirContent label { - width:100%; text-align:center; - font-weight:bold; color:#999; text-shadow:0 1px 0 white; +#body-login form { width:22em; margin:2em auto 2em; padding:0; } +#body-login form fieldset { + margin-bottom: 20px; + text-align: left; +} +#body-login form #adminaccount { margin-bottom:5px; } +#body-login form fieldset legend, #datadirContent label { + width: 100%; + font-weight: bold; +} +#body-login #datadirContent label { + display: block; + margin: 0; +} +#body-login form #datadirField legend { + margin-bottom: 15px; +} +#body-login #showAdvanced { + padding: 13px; /* increase clickable area of Advanced dropdown */ +} +#body-login #showAdvanced img { + vertical-align: bottom; /* adjust position of Advanced dropdown arrow */ + margin-left: -4px; } -#login form fieldset legend a { color:#999; } -#login #datadirContent label { display:block; margin:0; color:#999; } -#login form #datadirField legend { margin-bottom:15px; } /* Icons for username and password fields to better recognize them */ #adminlogin, #adminpass, #user, #password { width:11.7em!important; padding-left:1.8em; } @@ -209,84 +249,194 @@ input[type="submit"].enabled { background:#66f866; border:1px solid #5e5; -moz-b input[name="password-clone"] { padding-left:1.8em; width:11.7em !important; } input[name="adminpass-clone"] { padding-left:1.8em; width:11.7em !important; } +/* General new input field look */ +#body-login input[type="text"], +#body-login input[type="password"], +#body-login input[type="email"] { + border: 1px solid #323233; + -moz-box-shadow: 0 1px 0 rgba(255,255,255,.15), 0 1px 3px rgba(0,0,0,.25) inset; + -webkit-box-shadow: 0 1px 0 rgba(255,255,255,.15), 0 1px 3px rgba(0,0,0,.25) inset; + box-shadow: 0 1px 0 rgba(255,255,255,.15), 0 1px 3px rgba(0,0,0,.25) inset; +} + /* Nicely grouping input field sets */ -.grouptop input { - margin-bottom:0; - border-bottom:0; border-bottom-left-radius:0; border-bottom-right-radius:0; +#body-login .grouptop input { + margin-bottom: 0; + border-bottom: 0; + border-bottom-left-radius: 0; + border-bottom-right-radius: 0; } -.groupmiddle input { - margin-top:0; margin-bottom:0; - border-top:0; border-bottom:0; border-radius:0; - box-shadow:0 1px 1px #fff,0 1px 0 #ddd inset; +#body-login .groupmiddle input { + margin-top: 0; + margin-bottom: 0; + border-top: 0; + border-bottom: 0; + border-radius: 0; + -moz-box-shadow: 0 1px 0 rgba(255,255,255,.1), 0 1px 0 rgba(0,0,0,.1) inset !important; + -webkit-box-shadow: 0 1px 0 rgba(255,255,255,.1), 0 1px 0 rgba(0,0,0,.1) inset !important; + box-shadow: 0 1px 0 rgba(255,255,255,.1), 0 1px 0 rgba(0,0,0,.1) inset !important; } -.groupbottom input { - margin-top:0; - border-top:0; border-top-right-radius:0; border-top-left-radius:0; - box-shadow:0 1px 1px #fff,0 1px 0 #ddd inset; +#body-login .groupbottom input { + margin-top: 0; + border-top: 0; + border-top-right-radius: 0; + border-top-left-radius: 0; + -moz-box-shadow: 0 1px 0 rgba(255,255,255,.1), 0 1px 0 rgba(0,0,0,.1) inset !important; + -webkit-box-shadow: 0 1px 0 rgba(255,255,255,.1), 0 1px 0 rgba(0,0,0,.1) inset !important; + box-shadow: 0 1px 0 rgba(255,255,255,.1), 0 1px 0 rgba(0,0,0,.1) inset !important; } /* In field labels. No, HTML placeholder does not work as well. */ -#login form label { color:#666; } -#login .groupmiddle label, #login .groupbottom label { top:.65em; } +#body-login .groupmiddle label, #body-login .groupbottom label { top:.65em; } p.infield { position:relative; } label.infield { cursor:text !important; top:1.05em; left:.85em; } -#login form label.infield { /* labels are ellipsized when too long, keep them short */ +#body-login form label.infield { /* labels are ellipsized when too long, keep them short */ position:absolute; width:90%; padding-left:1.4em; font-size:19px; color:#aaa; white-space:nowrap; overflow:hidden; text-overflow:ellipsis; } -#login #databaseField .infield { padding-left:0; } -#login form input[type="checkbox"]+label { position:relative; margin:0; font-size:1em; text-shadow:#fff 0 1px 0; } -#login form .errors { background:#fed7d7; border:1px solid #f00; list-style-indent:inside; margin:0 0 2em; padding:1em; } -#login .success { background:#d7fed7; border:1px solid #0f0; width: 35%; margin: 30px auto; padding:1em; text-align: center;} +#body-login #databaseField .infield { padding-left:0; } +#body-login form input[type="checkbox"]+label { + position: relative; + margin: 0; + font-size: 1em; + padding: 14px; + padding-left: 28px; + margin-left: -28px; +} +#body-login form .errors { background:#fed7d7; border:1px solid #f00; list-style-indent:inside; margin:0 0 2em; padding:1em; } +#body-login .success { background:#d7fed7; border:1px solid #0f0; width: 35%; margin: 30px auto; padding:1em; text-align: center;} /* Show password toggle */ -#show, #dbpassword { position:absolute; right:1em; top:.8em; float:right; } -#show, #dbpassword, #personal-show { display:none; } -#show + label, #dbpassword + label { right:1em; top:1.25em!important; } -#show:checked + label, #dbpassword:checked + label, #personal-show:checked + label { -ms-filter:"progid:DXImageTransform.Microsoft.Alpha(Opacity=80)"; filter:alpha(opacity=80); opacity:.8; } -#show + label, #dbpassword + label, #personal-show + label { - position:absolute!important; height:14px; width:24px; - background-image:url("../img/actions/toggle.png"); background-repeat:no-repeat; - -ms-filter:"progid:DXImageTransform.Microsoft.Alpha(Opacity=30)"; filter:alpha(opacity=30); opacity:.3; +#show, #dbpassword { + position: absolute; + right: 1em; + top: .8em; + float: right; +} +#show, #dbpassword, #personal-show { + display: none; +} +#show + label, #dbpassword + label { + right: 21px; + top: 15px !important; + margin: -14px !important; + padding: 14px !important; +} +#show:checked + label, #dbpassword:checked + label, #personal-show:checked + label { + -ms-filter: "progid:DXImageTransform.Microsoft.Alpha(Opacity=80)"; + filter: alpha(opacity=80); + opacity: .8; +} +#show + label, #dbpassword + label, #personal-show + label { + position: absolute !important; + height: 14px; + width: 24px; + background-image: url("../img/actions/toggle.png"); + background-repeat: no-repeat; + background-position: center; + -ms-filter: "progid:DXImageTransform.Microsoft.Alpha(Opacity=30)"; + filter: alpha(opacity=30); + opacity: .3; +} +#pass2, input[name="personal-password-clone"] { + padding: .6em 2.5em .4em .4em; + width: 8em; +} +#personal-show + label { + margin-top: 1em; + margin-left: -3em; +} +#passwordbutton { + margin-left: .5em; } -#pass2, input[name="personal-password-clone"] { padding:0.6em 2.5em 0.4em 0.4em; width:8em;} -#personal-show + label { margin-top:1em; margin-left:-3em; } -#passwordbutton { margin-left:0.5em; } /* Database selector */ -#login form #selectDbType { text-align:center; } -#login form #selectDbType label { +#body-login form #selectDbType { text-align:center; } +#body-login form #selectDbType label { position:static; margin:0 -3px 5px; padding:.4em; font-size:12px; font-weight:bold; background:#f8f8f8; color:#888; cursor:pointer; border:1px solid #ddd; text-shadow:#eee 0 1px 0; -moz-box-shadow:0 1px 1px #fff, 0 1px 1px #fff inset; -webkit-box-shadow:0 1px 1px #fff, 0 1px 1px #fff inset; } -#login form #selectDbType label.ui-state-hover, #login form #selectDbType label.ui-state-active { color:#000; background-color:#e8e8e8; } +#body-login form #selectDbType label.ui-state-hover, #body-login form #selectDbType label.ui-state-active { color:#000; background-color:#e8e8e8; } -/* Warnings, for information */ -.warning { + +/* Warnings and errors are the same */ +.warning, .update, .error { display: block; - background-color: #f2dede; - color: #b94a48; - padding: 8px; - margin: 0 7px 5px; - border: 1px solid #eed3d7; + padding: 10px; + color: #dd3b3b; + text-shadow: 0 -1px 0 rgba(0,0,0,.3); + background-color: rgba(0,0,0,.3); + text-align: center; + -moz-border-radius: 5px; + -webkit-border-radius: 5px; border-radius: 5px; + cursor: default; } .warning legend, -.warning a { - color: #b94a48 !important; +.warning a, +.error a { + color: #dd3b3b !important; font-weight: bold; } -/* Errors, for grave states */ -li.update, li.error { width:640px; margin:4em auto; padding:1em 1em 1em 4em; background:#ffe .8em .8em no-repeat; border:1px solid #ccc; -moz-border-radius:10px; -webkit-border-radius:10px; border-radius:10px; cursor:default; } -.error { color:#FF3B3B; } +/* Fixes for log in page, TODO should be removed some time */ +#body-login .update, +#body-login .error { + margin: 35px auto; +} +#body-login .warning { + margin: 0 7px 5px; + font-weight: bold; +} +#body-login .warning legend { + text-shadow: none; + -ms-filter: "progid:DXImageTransform.Microsoft.Alpha(Opacity=100)"; + filter: alpha(opacity=100); + opacity: 1; +} +#body-login a.warning { + cursor: pointer; +} + /* Alternative Logins */ #alternative-logins legend { margin-bottom:10px; } #alternative-logins li { height:40px; display:inline-block; white-space:nowrap; } +/* Log in and install button */ +#body-login input { + font-size: 1.5em; +} +#body-login input[type="text"], +#body-login input[type="password"] { + width: 13em; +} +#body-login input.login { + width: auto; + float: right; +} +#body-login input[type="submit"] { + padding: 10px 20px; /* larger log in and installation buttons */ +} +#remember_login { + margin: 18px 5px 0 18px; + vertical-align: text-bottom; +} + +/* Sticky footer */ +#body-login .wrapper { + min-height: 100%; + margin: 0 auto -70px; + width: 300px; +} +#body-login footer, #body-login .push { + height: 70px; +} + + + /* NAVIGATION ------------------------------------------------------------- */ #navigation { @@ -405,7 +555,6 @@ div.jp-play-bar, div.jp-seek-bar { padding:0; } .pager li { display:inline-block; } .ui-state-default, .ui-widget-content .ui-state-default, .ui-widget-header .ui-state-default { overflow:hidden; text-overflow:ellipsis; } -.hint { background-image:url('../img/actions/info.png'); background-repeat:no-repeat; color:#777; padding-left:25px; background-position:0 0.3em;} .separator { display:inline; border-left:1px solid #d3d3d3; border-right:1px solid #fff; height:10px; width:0px; margin:4px; } a.bookmarklet { background-color:#ddd; border:1px solid #ccc; padding:5px;padding-top:0px;padding-bottom:2px; text-decoration:none; margin-top:5px } @@ -438,7 +587,13 @@ a.bookmarklet { background-color:#ddd; border:1px solid #ccc; padding:5px;paddin #oc-dialog-filepicker-content .filepicker_element_selected { background-color:lightblue;} .ui-dialog {position:fixed !important;} span.ui-icon {float: left; margin: 3px 7px 30px 0;} + .loading { background: url('../img/loading.gif') no-repeat center; cursor: wait; } +.move2trash { /* decrease spinner size */ + width: 16px; + height: 16px; +} + /* ---- CATEGORIES ---- */ #categoryform .scrollarea { position:absolute; left:10px; top:10px; right:10px; bottom:50px; overflow:auto; border:1px solid #ddd; background:#f8f8f8; } @@ -453,7 +608,7 @@ span.ui-icon {float: left; margin: 3px 7px 30px 0;} .popup { background-color:white; border-radius:10px 10px 10px 10px; box-shadow:0 0 20px #888; color:#333; padding:10px; position:fixed !important; z-index:200; } .popup.topright { top:7em; right:1em; } .popup.bottomleft { bottom:1em; left:33em; } -.popup .close { position:absolute; top:0.2em; right:0.2em; height:20px; width:20px; background:url('../img/actions/delete.svg') no-repeat center; } +.popup .close { position:absolute; top:0.2em; right:0.2em; height:20px; width:20px; background:url('../img/actions/close.svg') no-repeat center; } .popup h2 { font-weight:bold; font-size:1.2em; } .arrow { border-bottom:10px solid white; border-left:10px solid transparent; border-right:10px solid transparent; display:block; height:0; position:absolute; width:0; z-index:201; } .arrow.left { left:-13px; bottom:1.2em; -webkit-transform:rotate(270deg); -moz-transform:rotate(270deg); -o-transform:rotate(270deg); -ms-transform:rotate(270deg); transform:rotate(270deg); } @@ -677,19 +832,34 @@ div.crumb:active { /* icons */ .folder-icon { background-image: url('../img/places/folder.svg'); } .delete-icon { background-image: url('../img/actions/delete.svg'); } -.delete-icon:hover { background-image: url('../img/actions/delete-hover.svg'); } .edit-icon { background-image: url('../img/actions/rename.svg'); } /* buttons */ button.loading { background-image: url('../img/loading.gif'); background-position: right 10px center; background-repeat: no-repeat; + background-size: 16px; padding-right: 30px; } + + /* ---- BROWSER-SPECIFIC FIXES ---- */ + +/* remove dotted outlines in Firefox */ ::-moz-focus-inner { - border: 0; /* remove dotted outlines in Firefox */ + border: 0; +} + +/* deactivate show password toggle for IE. Does not work for 8 and 9+ have their own implementation. */ +.ie #show, .ie #show+label { + display: none; + visibility: hidden; +} + +/* fix installation screen rendering issue for IE8+9 */ +.lte9 #body-login { + height: auto !important; } diff --git a/core/img/actions/add.png b/core/img/actions/add.png index 25d472b2dc..1aac02b845 100644 Binary files a/core/img/actions/add.png and b/core/img/actions/add.png differ diff --git a/core/img/actions/add.svg b/core/img/actions/add.svg index 136d6c4b31..250746e166 100644 --- a/core/img/actions/add.svg +++ b/core/img/actions/add.svg @@ -1,10 +1,6 @@ - - - - - - - - + + + + diff --git a/core/img/actions/caret-dark.png b/core/img/actions/caret-dark.png index 8ac5fbbd19..f84e87e0a8 100644 Binary files a/core/img/actions/caret-dark.png and b/core/img/actions/caret-dark.png differ diff --git a/core/img/actions/caret-dark.svg b/core/img/actions/caret-dark.svg index be45ad402b..3a5318e6fa 100644 --- a/core/img/actions/caret-dark.svg +++ b/core/img/actions/caret-dark.svg @@ -1,5 +1,13 @@ - - - - + + + + + image/svg+xml + + + + + + + diff --git a/core/img/actions/delete-hover.png b/core/img/actions/delete-hover.png deleted file mode 100644 index 048d91cee5..0000000000 Binary files a/core/img/actions/delete-hover.png and /dev/null differ diff --git a/core/img/actions/delete-hover.svg b/core/img/actions/delete-hover.svg deleted file mode 100644 index 3e8d26c978..0000000000 --- a/core/img/actions/delete-hover.svg +++ /dev/null @@ -1,6 +0,0 @@ - - - - - - diff --git a/core/img/actions/delete.png b/core/img/actions/delete.png index fa8e18183e..99f549faf9 100644 Binary files a/core/img/actions/delete.png and b/core/img/actions/delete.png differ diff --git a/core/img/actions/delete.svg b/core/img/actions/delete.svg index ef564bfd48..568185c5c7 100644 --- a/core/img/actions/delete.svg +++ b/core/img/actions/delete.svg @@ -1,6 +1,12 @@ - - - - + + + + image/svg+xml + + + + + + diff --git a/core/img/actions/lock.png b/core/img/actions/lock.png index dbcffa3990..f3121811ea 100644 Binary files a/core/img/actions/lock.png and b/core/img/actions/lock.png differ diff --git a/core/img/actions/mail.png b/core/img/actions/mail.png index 8e884fbc0e..be6142444a 100644 Binary files a/core/img/actions/mail.png and b/core/img/actions/mail.png differ diff --git a/core/img/actions/mail.svg b/core/img/actions/mail.svg index 2c63daac03..c01f2c113e 100644 --- a/core/img/actions/mail.svg +++ b/core/img/actions/mail.svg @@ -1,8 +1,4 @@ - - - - - - + + diff --git a/core/img/actions/undelete.png b/core/img/actions/undelete.png deleted file mode 100644 index d712527ef6..0000000000 Binary files a/core/img/actions/undelete.png and /dev/null differ diff --git a/core/img/loader.gif b/core/img/loader.gif deleted file mode 100644 index e192ca895c..0000000000 Binary files a/core/img/loader.gif and /dev/null differ diff --git a/core/img/loading-dark.gif b/core/img/loading-dark.gif index 5fe86acabc..13f0f64eab 100644 Binary files a/core/img/loading-dark.gif and b/core/img/loading-dark.gif differ diff --git a/core/img/loading.gif b/core/img/loading.gif index 5b33f7e54f..f8f3dff6fb 100644 Binary files a/core/img/loading.gif and b/core/img/loading.gif differ diff --git a/core/img/remoteStorage-big.png b/core/img/remoteStorage-big.png deleted file mode 100644 index 7e76e21209..0000000000 Binary files a/core/img/remoteStorage-big.png and /dev/null differ diff --git a/core/img/weather-clear.png b/core/img/weather-clear.png deleted file mode 100644 index 0acf7a9b2a..0000000000 Binary files a/core/img/weather-clear.png and /dev/null differ diff --git a/core/js/eventsource.js b/core/js/eventsource.js index ce8c8387c8..536b180bc8 100644 --- a/core/js/eventsource.js +++ b/core/js/eventsource.js @@ -110,7 +110,11 @@ OC.EventSource.prototype={ this.listeners[type].push(callback); }else{ this.source.addEventListener(type,function(e){ - callback(JSON.parse(e.data)); + if (typeof e.data != 'undefined') { + callback(JSON.parse(e.data)); + } else { + callback(''); + } },false); } }else{ diff --git a/core/js/js.js b/core/js/js.js index 3904787c4e..cf4e72324d 100644 --- a/core/js/js.js +++ b/core/js/js.js @@ -226,8 +226,12 @@ var OC={ var path=OC.filePath(app,'css',style+'.css'); if(OC.addStyle.loaded.indexOf(path)===-1){ OC.addStyle.loaded.push(path); - style=$(''); - $('head').append(style); + if (document.createStyleSheet) { + document.createStyleSheet(path); + } else { + style=$(''); + $('head').append(style); + } } }, basename: function(path) { @@ -662,8 +666,6 @@ $(document).ready(function(){ $('.selectedActions a').tipsy({gravity:'s', fade:true, live:true}); $('a.delete').tipsy({gravity: 'e', fade:true, live:true}); $('a.action').tipsy({gravity:'s', fade:true, live:true}); - $('#headerSize').tipsy({gravity:'s', fade:true, live:true}); - $('td.filesize').tipsy({gravity:'s', fade:true, live:true}); $('td .modified').tipsy({gravity:'s', fade:true, live:true}); $('input').tipsy({gravity:'w', fade:true}); @@ -693,14 +695,6 @@ function humanFileSize(size) { return relativeSize + ' ' + readableFormat; } -function simpleFileSize(bytes) { - var mbytes = Math.round(bytes/(1024*1024/10))/10; - if(bytes == 0) { return '0'; } - else if(mbytes < 0.1) { return '< 0.1'; } - else if(mbytes > 1000) { return '> 1000'; } - else { return mbytes.toFixed(1); } -} - function formatDate(date){ if(typeof date=='number'){ date=new Date(date); diff --git a/core/js/share.js b/core/js/share.js index 9494637c3d..e59669cbc2 100644 --- a/core/js/share.js +++ b/core/js/share.js @@ -92,6 +92,7 @@ OC.Share={ } } if (shares) { + OC.Share.statuses[itemSource] = OC.Share.statuses[itemSource] || {}; OC.Share.statuses[itemSource]['link'] = link; } else { delete OC.Share.statuses[itemSource]; @@ -122,7 +123,12 @@ OC.Share={ callback(result.data); } } else { - OC.dialogs.alert(result.data.message, t('core', 'Error while sharing')); + if (result.data && result.data.message) { + var msg = result.data.message; + } else { + var msg = t('core', 'Error'); + } + OC.dialogs.alert(msg, t('core', 'Error while sharing')); } }); }, @@ -161,7 +167,12 @@ OC.Share={ // respective checkbox should be checked or // not. + var publicUploadEnabled = $('#filestable').data('allow-public-upload'); + if (typeof publicUploadEnabled == 'undefined') { + publicUploadEnabled = 'no'; + } var allowPublicUploadStatus = false; + $.each(data.shares, function(key, value) { if (allowPublicUploadStatus) { return true; @@ -181,13 +192,13 @@ OC.Share={ html += '
    '; html += ''; html += '
    '; - if (possiblePermissions & OC.PERMISSION_CREATE) { + if (itemType === 'folder' && (possiblePermissions & OC.PERMISSION_CREATE) && publicUploadEnabled === 'yes') { html += ''; } - html += ''; + html += ''; html += ''; html += ''; html += ''; diff --git a/core/js/update.js b/core/js/update.js index 8ab02bbf93..2c28e72f7c 100644 --- a/core/js/update.js +++ b/core/js/update.js @@ -5,6 +5,9 @@ $(document).ready(function () { }); updateEventSource.listen('error', function(message) { $('').addClass('error').append(message).append('
    ').appendTo($('.update')); + message = 'Please reload the page.'; + $('').addClass('error').append(message).append('
    ').appendTo($('.update')); + updateEventSource.close(); }); updateEventSource.listen('failure', function(message) { $('').addClass('error').append(message).append('
    ').appendTo($('.update')); @@ -20,4 +23,4 @@ $(document).ready(function () { window.location.href = OC.webroot; }, 3000); }); -}); \ No newline at end of file +}); diff --git a/core/l10n/af_ZA.php b/core/l10n/af_ZA.php index 4878c75edd..dc78e44c8d 100644 --- a/core/l10n/af_ZA.php +++ b/core/l10n/af_ZA.php @@ -15,7 +15,6 @@ "Admin" => "Admin", "Help" => "Hulp", "Cloud not found" => "Wolk nie gevind", -"web services under your control" => "webdienste onder jou beheer", "Create an admin account" => "Skep `n admin-rekening", "Advanced" => "Gevorderd", "Configure the database" => "Stel databasis op", diff --git a/core/l10n/ar.php b/core/l10n/ar.php index 7ac7a564c3..b18ee712cf 100644 --- a/core/l10n/ar.php +++ b/core/l10n/ar.php @@ -98,7 +98,6 @@ "Help" => "المساعدة", "Access forbidden" => "التوصّل محظور", "Cloud not found" => "لم يتم إيجاد", -"web services under your control" => "خدمات الشبكة تحت سيطرتك", "Edit categories" => "عدل الفئات", "Add" => "اضف", "Security Warning" => "تحذير أمان", diff --git a/core/l10n/bg_BG.php b/core/l10n/bg_BG.php index 490bea9b17..608f26bc86 100644 --- a/core/l10n/bg_BG.php +++ b/core/l10n/bg_BG.php @@ -50,7 +50,6 @@ "Help" => "Помощ", "Access forbidden" => "Достъпът е забранен", "Cloud not found" => "облакът не намерен", -"web services under your control" => "уеб услуги под Ваш контрол", "Edit categories" => "Редактиране на категориите", "Add" => "Добавяне", "Create an admin account" => "Създаване на админ профил", diff --git a/core/l10n/bn_BD.php b/core/l10n/bn_BD.php index c775d2fb6a..5c171af567 100644 --- a/core/l10n/bn_BD.php +++ b/core/l10n/bn_BD.php @@ -95,7 +95,6 @@ "Help" => "সহায়িকা", "Access forbidden" => "অধিগমনের অনুমতি নেই", "Cloud not found" => "ক্লাউড খুঁজে পাওয়া গেল না", -"web services under your control" => "ওয়েব সার্ভিস আপনার হাতের মুঠোয়", "Edit categories" => "ক্যাটেগরি সম্পাদনা", "Add" => "যোগ কর", "Security Warning" => "নিরাপত্তাজনিত সতর্কতা", diff --git a/core/l10n/ca.php b/core/l10n/ca.php index 9b3b45fdf9..80f0e558a6 100644 --- a/core/l10n/ca.php +++ b/core/l10n/ca.php @@ -106,7 +106,6 @@ "Access forbidden" => "Accés prohibit", "Cloud not found" => "No s'ha trobat el núvol", "Hey there,\n\njust letting you know that %s shared %s with you.\nView it: %s\n\nCheers!" => "Ei,\n\nnomés fer-te saber que %s ha compartit %s amb tu.\nMira-ho: %s\n\nSalut!", -"web services under your control" => "controleu els vostres serveis web", "Edit categories" => "Edita les categories", "Add" => "Afegeix", "Security Warning" => "Avís de seguretat", diff --git a/core/l10n/cs_CZ.php b/core/l10n/cs_CZ.php index 113d0f41ba..b0e70938d4 100644 --- a/core/l10n/cs_CZ.php +++ b/core/l10n/cs_CZ.php @@ -106,7 +106,6 @@ "Access forbidden" => "Přístup zakázán", "Cloud not found" => "Cloud nebyl nalezen", "Hey there,\n\njust letting you know that %s shared %s with you.\nView it: %s\n\nCheers!" => "Ahoj,\n\njenom vám chci oznámit že %s s vámi sdílí %s.\nPodívat se můžete zde: %s\n\nDíky", -"web services under your control" => "služby webu pod Vaší kontrolou", "Edit categories" => "Upravit kategorie", "Add" => "Přidat", "Security Warning" => "Bezpečnostní upozornění", diff --git a/core/l10n/cy_GB.php b/core/l10n/cy_GB.php index 6158a356dc..aeb2995e6b 100644 --- a/core/l10n/cy_GB.php +++ b/core/l10n/cy_GB.php @@ -100,7 +100,6 @@ "Help" => "Cymorth", "Access forbidden" => "Mynediad wedi'i wahardd", "Cloud not found" => "Methwyd canfod cwmwl", -"web services under your control" => "gwasanaethau gwe a reolir gennych", "Edit categories" => "Golygu categorïau", "Add" => "Ychwanegu", "Security Warning" => "Rhybudd Diogelwch", diff --git a/core/l10n/da.php b/core/l10n/da.php index b3da17ba79..2e84c3ff51 100644 --- a/core/l10n/da.php +++ b/core/l10n/da.php @@ -101,7 +101,6 @@ "Help" => "Hjælp", "Access forbidden" => "Adgang forbudt", "Cloud not found" => "Sky ikke fundet", -"web services under your control" => "Webtjenester under din kontrol", "Edit categories" => "Rediger kategorier", "Add" => "Tilføj", "Security Warning" => "Sikkerhedsadvarsel", diff --git a/core/l10n/de.php b/core/l10n/de.php index 897b379a28..a8e1f81153 100644 --- a/core/l10n/de.php +++ b/core/l10n/de.php @@ -62,6 +62,7 @@ "Share with link" => "Über einen Link freigegeben", "Password protect" => "Passwortschutz", "Password" => "Passwort", +"Allow Public Upload" => "Öffentliches Hochladen erlauben", "Email link to person" => "Link per E-Mail verschicken", "Send" => "Senden", "Set expiration date" => "Setze ein Ablaufdatum", @@ -105,7 +106,6 @@ "Access forbidden" => "Zugriff verboten", "Cloud not found" => "Cloud nicht gefunden", "Hey there,\n\njust letting you know that %s shared %s with you.\nView it: %s\n\nCheers!" => "Hallo,\n\nwollte dich nur kurz informieren, dass %s gerade %s mit dir geteilt hat.\nSchau es dir an: %s\n\nGruß!", -"web services under your control" => "Web-Services unter Deiner Kontrolle", "Edit categories" => "Kategorien bearbeiten", "Add" => "Hinzufügen", "Security Warning" => "Sicherheitswarnung", diff --git a/core/l10n/de_DE.php b/core/l10n/de_DE.php index eca14f7d9a..4188522b0c 100644 --- a/core/l10n/de_DE.php +++ b/core/l10n/de_DE.php @@ -62,7 +62,7 @@ "Share with link" => "Über einen Link teilen", "Password protect" => "Passwortschutz", "Password" => "Passwort", -"Allow Public Upload" => "Erlaube öffentliches hochladen", +"Allow Public Upload" => "Öffentliches Hochladen erlauben", "Email link to person" => "Link per E-Mail verschicken", "Send" => "Senden", "Set expiration date" => "Ein Ablaufdatum setzen", @@ -91,7 +91,7 @@ "Request failed!
    Did you make sure your email/username was right?" => "Anfrage fehlgeschlagen!
    Haben Sie darauf geachtet, dass E-Mail-Adresse/Nutzername korrekt waren?", "You will receive a link to reset your password via Email." => "Sie erhalten einen Link per E-Mail, um Ihr Passwort zurückzusetzen.", "Username" => "Benutzername", -"Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset. If you are not sure what to do, please contact your administrator before you continue. Do you really want to continue?" => "Ihre Dateien sind verschlüsselt. Wenn Sie den Wiederherstellungsschlüssel nicht aktiviert haben, wird es keinen Weg geben, um Ihre Daten wieder zu bekommen, nachdem Ihr Passwort zurückgesetzt wurde. Wenn Sie sich nicht sicher sind, was Sie tun sollen, wenden Sie sich bitte an Ihren Administrator, bevor Sie fortfahren. Wollen Sie wirklich fortfahren?", +"Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset. If you are not sure what to do, please contact your administrator before you continue. Do you really want to continue?" => "Ihre Dateien sind verschlüsselt. Wenn Sie den Wiederherstellungsschlüssel nicht aktiviert haben, wird es keine Möglichkeit geben, um Ihre Daten wiederzubekommen, nachdem Ihr Passwort zurückgesetzt wurde. Wenn Sie sich nicht sicher sind, was Sie tun sollen, wenden Sie sich bitte an Ihren Administrator, bevor Sie fortfahren. Wollen Sie wirklich fortfahren?", "Yes, I really want to reset my password now" => "Ja, ich möchte jetzt mein Passwort wirklich zurücksetzen.", "Request reset" => "Zurücksetzung anfordern", "Your password was reset" => "Ihr Passwort wurde zurückgesetzt.", @@ -106,7 +106,6 @@ "Access forbidden" => "Zugriff verboten", "Cloud not found" => "Cloud wurde nicht gefunden", "Hey there,\n\njust letting you know that %s shared %s with you.\nView it: %s\n\nCheers!" => "Hallo,\n\nich wollte Sie nur wissen lassen, dass %s %s mit Ihnen teilt.\nSchauen Sie es sich an: %s\n\nViele Grüße!", -"web services under your control" => "Web-Services unter Ihrer Kontrolle", "Edit categories" => "Kategorien ändern", "Add" => "Hinzufügen", "Security Warning" => "Sicherheitshinweis", diff --git a/core/l10n/el.php b/core/l10n/el.php index 022d9d9003..2dcfa1bb69 100644 --- a/core/l10n/el.php +++ b/core/l10n/el.php @@ -104,7 +104,6 @@ "Access forbidden" => "Δεν επιτρέπεται η πρόσβαση", "Cloud not found" => "Δεν βρέθηκε νέφος", "Hey there,\n\njust letting you know that %s shared %s with you.\nView it: %s\n\nCheers!" => "Γεια σας,\n\nσας ενημερώνουμε ότι ο %s διαμοιράστηκε μαζί σας το %s.\nΔείτε το: %s\n\nΓεια χαρά!", -"web services under your control" => "υπηρεσίες δικτύου υπό τον έλεγχό σας", "Edit categories" => "Επεξεργασία κατηγοριών", "Add" => "Προσθήκη", "Security Warning" => "Προειδοποίηση Ασφαλείας", diff --git a/core/l10n/en@pirate.php b/core/l10n/en@pirate.php index 0c590d0b75..482632f3fd 100644 --- a/core/l10n/en@pirate.php +++ b/core/l10n/en@pirate.php @@ -1,4 +1,3 @@ "Passcode", -"web services under your control" => "web services under your control" +"Password" => "Passcode" ); diff --git a/core/l10n/eo.php b/core/l10n/eo.php index 2adf09d3a0..00f925e527 100644 --- a/core/l10n/eo.php +++ b/core/l10n/eo.php @@ -102,7 +102,6 @@ "Access forbidden" => "Aliro estas malpermesata", "Cloud not found" => "La nubo ne estas trovita", "Hey there,\n\njust letting you know that %s shared %s with you.\nView it: %s\n\nCheers!" => "Saluton:\n\nNi nur sciigas vin, ke %s kunhavigis %s kun vi.\nVidu ĝin: %s\n\nĜis!", -"web services under your control" => "TTT-servoj regataj de vi", "Edit categories" => "Redakti kategoriojn", "Add" => "Aldoni", "Security Warning" => "Sekureca averto", diff --git a/core/l10n/es.php b/core/l10n/es.php index 3845f68d24..ae98a019db 100644 --- a/core/l10n/es.php +++ b/core/l10n/es.php @@ -106,7 +106,6 @@ "Access forbidden" => "Acceso prohibido", "Cloud not found" => "No se encuentra la nube", "Hey there,\n\njust letting you know that %s shared %s with you.\nView it: %s\n\nCheers!" => "Oye,⏎ sólo te hago saber que %s compartido %s contigo.⏎ Míralo: %s ⏎Disfrutalo!", -"web services under your control" => "Servicios web bajo su control", "Edit categories" => "Editar categorías", "Add" => "Agregar", "Security Warning" => "Advertencia de seguridad", diff --git a/core/l10n/es_AR.php b/core/l10n/es_AR.php index 8bef515116..83123b76ea 100644 --- a/core/l10n/es_AR.php +++ b/core/l10n/es_AR.php @@ -62,6 +62,7 @@ "Share with link" => "Compartir con enlace", "Password protect" => "Proteger con contraseña ", "Password" => "Contraseña", +"Allow Public Upload" => "Permitir Subida Pública", "Email link to person" => "Enviar el enlace por e-mail.", "Send" => "Mandar", "Set expiration date" => "Asignar fecha de vencimiento", @@ -105,7 +106,6 @@ "Access forbidden" => "Acceso prohibido", "Cloud not found" => "No se encontró ownCloud", "Hey there,\n\njust letting you know that %s shared %s with you.\nView it: %s\n\nCheers!" => "Hola,\n\nSimplemente te informo que %s compartió %s con vos.\nMiralo acá: %s\n\n¡Chau!", -"web services under your control" => "servicios web que controlás", "Edit categories" => "Editar categorías", "Add" => "Agregar", "Security Warning" => "Advertencia de seguridad", diff --git a/core/l10n/et_EE.php b/core/l10n/et_EE.php index 4c0a41c508..ec850491b7 100644 --- a/core/l10n/et_EE.php +++ b/core/l10n/et_EE.php @@ -1,4 +1,5 @@ "%s jagas sinuga »%s«", "Category type not provided." => "Kategooria tüüp puudub.", "No category to add?" => "Pole kategooriat, mida lisada?", "This category already exists: %s" => "See kategooria on juba olemas: %s", @@ -61,6 +62,7 @@ "Share with link" => "Jaga lingiga", "Password protect" => "Parooliga kaitstud", "Password" => "Parool", +"Allow Public Upload" => "Luba avalik üleslaadimine", "Email link to person" => "Saada link isikule e-postiga", "Send" => "Saada", "Set expiration date" => "Määra aegumise kuupäev", @@ -89,6 +91,8 @@ "Request failed!
    Did you make sure your email/username was right?" => "Päring ebaõnnestus!
    Oled sa veendunud, et e-post/kasutajanimi on õiged?", "You will receive a link to reset your password via Email." => "Sinu parooli taastamise link saadetakse sulle e-postile.", "Username" => "Kasutajanimi", +"Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset. If you are not sure what to do, please contact your administrator before you continue. Do you really want to continue?" => "Sinu failid on krüpteeritud. Kui sa pole taastamise võtit veel määranud, siis pole präast parooli taastamist mingit võimalust sinu andmeid tagasi saada. Kui sa pole kindel, mida teha, siis palun väta enne jätkamist ühendust oma administaatoriga. Oled sa kindel, et sa soovid jätkata?", +"Yes, I really want to reset my password now" => "Jah, ma tõesti soovin oma parooli praegu nullida", "Request reset" => "Päringu taastamine", "Your password was reset" => "Sinu parool on taastatud", "To login page" => "Sisselogimise lehele", @@ -101,7 +105,7 @@ "Help" => "Abiinfo", "Access forbidden" => "Ligipääs on keelatud", "Cloud not found" => "Pilve ei leitud", -"web services under your control" => "veebitenused sinu kontrolli all", +"Hey there,\n\njust letting you know that %s shared %s with you.\nView it: %s\n\nCheers!" => "Hei,\n\nlihtsalt annan sulle teada, et %s jagas sinuga %s.\nVaata seda siin: %s\n\nTervitused!", "Edit categories" => "Muuda kategooriaid", "Add" => "Lisa", "Security Warning" => "Turvahoiatus", @@ -131,6 +135,7 @@ "remember" => "pea meeles", "Log in" => "Logi sisse", "Alternative Logins" => "Alternatiivsed sisselogimisviisid", +"Hey there,

    just letting you know that %s shared »%s« with you.
    View it!

    Cheers!" => "Hei,

    lihtsalt annan sulle teada, et %s jagas sinuga »%s«.
    Vaata seda!

    Tervitades!", "prev" => "eelm", "next" => "järgm", "Updating ownCloud to version %s, this may take a while." => "ownCloudi uuendamine versioonile %s. See võib veidi aega võtta." diff --git a/core/l10n/eu.php b/core/l10n/eu.php index 117c010575..d17c9f2c4a 100644 --- a/core/l10n/eu.php +++ b/core/l10n/eu.php @@ -1,4 +1,5 @@ "%s-ek »%s« zurekin partekatu du", "Category type not provided." => "Kategoria mota ez da zehaztu.", "No category to add?" => "Ez dago gehitzeko kategoriarik?", "This category already exists: %s" => "Kategoria hau dagoeneko existitzen da: %s", @@ -42,6 +43,7 @@ "years ago" => "urte", "Choose" => "Aukeratu", "Cancel" => "Ezeztatu", +"Error loading file picker template" => "Errorea fitxategi hautatzaile txantiloiak kargatzerakoan", "Yes" => "Bai", "No" => "Ez", "Ok" => "Ados", @@ -60,6 +62,7 @@ "Share with link" => "Elkarbanatu lotura batekin", "Password protect" => "Babestu pasahitzarekin", "Password" => "Pasahitza", +"Allow Public Upload" => "Gaitu igotze publikoa", "Email link to person" => "Postaz bidali lotura ", "Send" => "Bidali", "Set expiration date" => "Ezarri muga data", @@ -84,8 +87,12 @@ "The update was successful. Redirecting you to ownCloud now." => "Eguneraketa ongi egin da. Orain zure ownClouderea berbideratua izango zara.", "ownCloud password reset" => "ownCloud-en pasahitza berrezarri", "Use the following link to reset your password: {link}" => "Eribili hurrengo lotura zure pasahitza berrezartzeko: {link}", +"The link to reset your password has been sent to your email.
    If you do not receive it within a reasonable amount of time, check your spam/junk folders.
    If it is not there ask your local administrator ." => "Zure pasahitza berrezartzeko lotura zure postara bidalia izan da.
    Ez baduzu arrazoizko denbora \nepe batean jasotzen begiratu zure zabor-posta karpetan.
    Hor ere ez badago kudeatzailearekin harremanetan ipini.", +"Request failed!
    Did you make sure your email/username was right?" => "Eskaerak huts egin du!
    Ziur zaude posta/pasahitza zuzenak direla?", "You will receive a link to reset your password via Email." => "Zure pashitza berrezartzeko lotura bat jasoko duzu Epostaren bidez.", "Username" => "Erabiltzaile izena", +"Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset. If you are not sure what to do, please contact your administrator before you continue. Do you really want to continue?" => "Zure fitxategiak enkriptaturik daude. Ez baduzu berreskuratze gakoa gaitzen pasahitza berrabiaraztean ez da zure fitxategiak berreskuratzeko modurik egongo. Zer egin ziur ez bazaude kudeatzailearekin harremanetan ipini jarraitu aurretik. Ziur zaude aurrera jarraitu nahi duzula?", +"Yes, I really want to reset my password now" => "Bai, nire pasahitza orain berrabiarazi nahi dut", "Request reset" => "Eskaera berrezarri da", "Your password was reset" => "Zure pasahitza berrezarri da", "To login page" => "Sarrera orrira", @@ -98,7 +105,7 @@ "Help" => "Laguntza", "Access forbidden" => "Sarrera debekatuta", "Cloud not found" => "Ez da hodeia aurkitu", -"web services under your control" => "web zerbitzuak zure kontrolpean", +"Hey there,\n\njust letting you know that %s shared %s with you.\nView it: %s\n\nCheers!" => "Kaixo\n\n%s-ek %s zurekin partekatu duela jakin dezazun.\nIkusi ezazu: %s\n\nOngi jarraitu!", "Edit categories" => "Editatu kategoriak", "Add" => "Gehitu", "Security Warning" => "Segurtasun abisua", @@ -119,6 +126,7 @@ "Database tablespace" => "Datu basearen taula-lekua", "Database host" => "Datubasearen hostalaria", "Finish setup" => "Bukatu konfigurazioa", +"%s is available. Get more information on how to update." => "%s erabilgarri dago. Eguneratzeaz argibide gehiago eskuratu.", "Log out" => "Saioa bukatu", "Automatic logon rejected!" => "Saio hasiera automatikoa ez onartuta!", "If you did not change your password recently, your account may be compromised!" => "Zure pasahitza orain dela gutxi ez baduzu aldatu, zure kontua arriskuan egon daiteke!", @@ -127,6 +135,7 @@ "remember" => "gogoratu", "Log in" => "Hasi saioa", "Alternative Logins" => "Beste erabiltzaile izenak", +"Hey there,

    just letting you know that %s shared »%s« with you.
    View it!

    Cheers!" => "Kaixo

    %s-ek %s zurekin partekatu duela jakin dezazun.
    \nIkusi ezazu

    Ongi jarraitu!", "prev" => "aurrekoa", "next" => "hurrengoa", "Updating ownCloud to version %s, this may take a while." => "ownCloud %s bertsiora eguneratzen, denbora har dezake." diff --git a/core/l10n/fa.php b/core/l10n/fa.php index 338b3ad4b2..02fe2ce114 100644 --- a/core/l10n/fa.php +++ b/core/l10n/fa.php @@ -1,4 +1,5 @@ "%s به اشتراک گذاشته شده است »%s« توسط شما", "Category type not provided." => "نوع دسته بندی ارائه نشده است.", "No category to add?" => "آیا گروه دیگری برای افزودن ندارید", "This category already exists: %s" => "این دسته هم اکنون وجود دارد: %s", @@ -42,6 +43,7 @@ "years ago" => "سال‌های قبل", "Choose" => "انتخاب کردن", "Cancel" => "منصرف شدن", +"Error loading file picker template" => "خطا در بارگذاری قالب انتخاب کننده فایل", "Yes" => "بله", "No" => "نه", "Ok" => "قبول", @@ -60,6 +62,7 @@ "Share with link" => "به اشتراک گذاشتن با پیوند", "Password protect" => "نگهداری کردن رمز عبور", "Password" => "گذرواژه", +"Allow Public Upload" => "اجازه آپلود عمومی", "Email link to person" => "پیوند ایمیل برای شخص.", "Send" => "ارسال", "Set expiration date" => "تنظیم تاریخ انقضا", @@ -84,8 +87,12 @@ "The update was successful. Redirecting you to ownCloud now." => "به روزرسانی موفقیت آمیز بود. در حال انتقال شما به OwnCloud.", "ownCloud password reset" => "پسورد ابرهای شما تغییرکرد", "Use the following link to reset your password: {link}" => "از لینک زیر جهت دوباره سازی پسورد استفاده کنید :\n{link}", +"The link to reset your password has been sent to your email.
    If you do not receive it within a reasonable amount of time, check your spam/junk folders.
    If it is not there ask your local administrator ." => "لینک تنظیم مجدد رمز عبور به ایمیل شما ارسال شده است.
    اگر آن رادر یک زمان مشخصی دریافت نکرده اید، لطفا هرزنامه/ پوشه های ناخواسته را بررسی کنید.
    در صورت نبودن از مدیر خود بپرسید.", +"Request failed!
    Did you make sure your email/username was right?" => "درخواست رد شده است !
    آیا مطمئن هستید که ایمیل/ نام کاربری شما صحیح میباشد ؟", "You will receive a link to reset your password via Email." => "شما یک نامه الکترونیکی حاوی یک لینک جهت بازسازی گذرواژه دریافت خواهید کرد.", "Username" => "نام کاربری", +"Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset. If you are not sure what to do, please contact your administrator before you continue. Do you really want to continue?" => "فایل های شما رمزگذاری شده اند. اگر شما کلید بازیابی را فعال نکرده اید، پس از راه اندازی مجدد رمزعبور هیچ راهی برای بازگشت اطلاعاتتان وجود نخواهد داشت.در صورت عدم اطمینان به انجام کار، لطفا ابتدا با مدیر خود تماس بگیرید. آیا واقعا میخواهید ادامه دهید ؟", +"Yes, I really want to reset my password now" => "بله، من اکنون میخواهم رمز عبور خود را مجددا راه اندازی کنم.", "Request reset" => "درخواست دوباره سازی", "Your password was reset" => "گذرواژه شما تغییرکرد", "To login page" => "به صفحه ورود", @@ -98,7 +105,7 @@ "Help" => "راه‌نما", "Access forbidden" => "اجازه دسترسی به مناطق ممنوعه را ندارید", "Cloud not found" => "پیدا نشد", -"web services under your control" => "سرویس های تحت وب در کنترل شما", +"Hey there,\n\njust letting you know that %s shared %s with you.\nView it: %s\n\nCheers!" => "اینجا,⏎\n فقط به شما اجازه میدهد که بدانید %s به اشتراک گذاشته شده %s توسط شما.⏎\nمشاهده آن : %s⏎\n⏎\nبه سلامتی!", "Edit categories" => "ویرایش گروه", "Add" => "افزودن", "Security Warning" => "اخطار امنیتی", @@ -119,6 +126,7 @@ "Database tablespace" => "جدول پایگاه داده", "Database host" => "هاست پایگاه داده", "Finish setup" => "اتمام نصب", +"%s is available. Get more information on how to update." => "%s در دسترس است. برای چگونگی به روز رسانی اطلاعات بیشتر را دریافت نمایید.", "Log out" => "خروج", "Automatic logon rejected!" => "ورود به سیستم اتوماتیک ردشد!", "If you did not change your password recently, your account may be compromised!" => "اگر شما اخیرا رمزعبور را تغییر نداده اید، حساب شما در معرض خطر می باشد !", @@ -127,6 +135,7 @@ "remember" => "بیاد آوری", "Log in" => "ورود", "Alternative Logins" => "ورود متناوب", +"Hey there,

    just letting you know that %s shared »%s« with you.
    View it!

    Cheers!" => "اینجا

    فقط به شما اجازه میدهد که بدانید %s به اشتراک گذاشته شده»%s« توسط شما.
    مشاهده آن!

    به سلامتی!", "prev" => "بازگشت", "next" => "بعدی", "Updating ownCloud to version %s, this may take a while." => "به روز رسانی OwnCloud به نسخه ی %s، این عملیات ممکن است زمان بر باشد." diff --git a/core/l10n/fi_FI.php b/core/l10n/fi_FI.php index 3e471ad194..23b697a25c 100644 --- a/core/l10n/fi_FI.php +++ b/core/l10n/fi_FI.php @@ -98,7 +98,6 @@ "Access forbidden" => "Pääsy estetty", "Cloud not found" => "Pilveä ei löydy", "Hey there,\n\njust letting you know that %s shared %s with you.\nView it: %s\n\nCheers!" => "Hei!\n\n%s jakoi kohteen %s kanssasi.\nKatso se tästä: %s\n\nNäkemiin!", -"web services under your control" => "verkkopalvelut hallinnassasi", "Edit categories" => "Muokkaa luokkia", "Add" => "Lisää", "Security Warning" => "Turvallisuusvaroitus", diff --git a/core/l10n/fr.php b/core/l10n/fr.php index 079cde5c30..bc8a0d2815 100644 --- a/core/l10n/fr.php +++ b/core/l10n/fr.php @@ -106,7 +106,6 @@ "Access forbidden" => "Accès interdit", "Cloud not found" => "Introuvable", "Hey there,\n\njust letting you know that %s shared %s with you.\nView it: %s\n\nCheers!" => "Salut,\n\nje veux juste vous signaler %s partagé %s avec vous.\nVoyez-le: %s\n\nBonne continuation!", -"web services under your control" => "services web sous votre contrôle", "Edit categories" => "Editer les catégories", "Add" => "Ajouter", "Security Warning" => "Avertissement de sécurité", diff --git a/core/l10n/gl.php b/core/l10n/gl.php index db53a3e8a4..b55daf27c2 100644 --- a/core/l10n/gl.php +++ b/core/l10n/gl.php @@ -62,6 +62,7 @@ "Share with link" => "Compartir coa ligazón", "Password protect" => "Protexido con contrasinais", "Password" => "Contrasinal", +"Allow Public Upload" => "Permitir o envío público", "Email link to person" => "Enviar ligazón por correo", "Send" => "Enviar", "Set expiration date" => "Definir a data de caducidade", @@ -105,7 +106,6 @@ "Access forbidden" => "Acceso denegado", "Cloud not found" => "Nube non atopada", "Hey there,\n\njust letting you know that %s shared %s with you.\nView it: %s\n\nCheers!" => "Ola,\n\nsó facerlle saber que %s compartiu %s con vostede.\nVéxao en: %s\n\nSaúdos!", -"web services under your control" => "servizos web baixo o seu control", "Edit categories" => "Editar as categorías", "Add" => "Engadir", "Security Warning" => "Aviso de seguranza", diff --git a/core/l10n/he.php b/core/l10n/he.php index 1095507673..ab002ab64e 100644 --- a/core/l10n/he.php +++ b/core/l10n/he.php @@ -101,7 +101,6 @@ "Help" => "עזרה", "Access forbidden" => "הגישה נחסמה", "Cloud not found" => "ענן לא נמצא", -"web services under your control" => "שירותי רשת תחת השליטה שלך", "Edit categories" => "ערוך קטגוריות", "Add" => "הוספה", "Security Warning" => "אזהרת אבטחה", diff --git a/core/l10n/hi.php b/core/l10n/hi.php index afdd91d5f8..4285f8ce57 100644 --- a/core/l10n/hi.php +++ b/core/l10n/hi.php @@ -12,6 +12,7 @@ "November" => "नवंबर", "December" => "दिसम्बर", "Settings" => "सेटिंग्स", +"Error" => "त्रुटि", "Share" => "साझा करें", "Share with" => "के साथ साझा", "Password" => "पासवर्ड", diff --git a/core/l10n/hr.php b/core/l10n/hr.php index 80a34094b2..3eb556e9f6 100644 --- a/core/l10n/hr.php +++ b/core/l10n/hr.php @@ -73,7 +73,6 @@ "Help" => "Pomoć", "Access forbidden" => "Pristup zabranjen", "Cloud not found" => "Cloud nije pronađen", -"web services under your control" => "web usluge pod vašom kontrolom", "Edit categories" => "Uredi kategorije", "Add" => "Dodaj", "Create an admin account" => "Stvori administratorski račun", diff --git a/core/l10n/hu_HU.php b/core/l10n/hu_HU.php index a0b6979c4b..07d4893d6a 100644 --- a/core/l10n/hu_HU.php +++ b/core/l10n/hu_HU.php @@ -62,6 +62,7 @@ "Share with link" => "Link megadásával osztom meg", "Password protect" => "Jelszóval is védem", "Password" => "Jelszó", +"Allow Public Upload" => "Feltöltést is engedélyezek", "Email link to person" => "Email címre küldjük el", "Send" => "Küldjük el", "Set expiration date" => "Legyen lejárati idő", @@ -90,6 +91,7 @@ "Request failed!
    Did you make sure your email/username was right?" => "A kérést nem sikerült teljesíteni!
    Biztos, hogy jó emailcímet/felhasználónevet adott meg?", "You will receive a link to reset your password via Email." => "Egy emailben fog értesítést kapni a jelszóbeállítás módjáról.", "Username" => "Felhasználónév", +"Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset. If you are not sure what to do, please contact your administrator before you continue. Do you really want to continue?" => "Az Ön állományai titkosítva vannak. Ha nem engedélyezte korábban az adatok visszanyeréséhez szükséges kulcs használatát, akkor a jelszó megváltoztatását követően nem fog hozzáférni az adataihoz. Ha nem biztos abban, hogy mit kellene tennie, akkor kérdezze meg a rendszergazdát, mielőtt továbbmenne. Biztos, hogy folytatni kívánja?", "Yes, I really want to reset my password now" => "Igen, tényleg meg akarom változtatni a jelszavam", "Request reset" => "Visszaállítás igénylése", "Your password was reset" => "Jelszó megváltoztatva", @@ -104,7 +106,6 @@ "Access forbidden" => "A hozzáférés nem engedélyezett", "Cloud not found" => "A felhő nem található", "Hey there,\n\njust letting you know that %s shared %s with you.\nView it: %s\n\nCheers!" => "Üdv!\n\nÚj hír: %s megosztotta Önnel ezt: %s.\nItt nézhető meg: %s\n\nMinden jót!", -"web services under your control" => "webszolgáltatások saját kézben", "Edit categories" => "Kategóriák szerkesztése", "Add" => "Hozzáadás", "Security Warning" => "Biztonsági figyelmeztetés", diff --git a/core/l10n/ia.php b/core/l10n/ia.php index 9df7eda1da..8c9b6b88ef 100644 --- a/core/l10n/ia.php +++ b/core/l10n/ia.php @@ -38,7 +38,6 @@ "Help" => "Adjuta", "Access forbidden" => "Accesso prohibite", "Cloud not found" => "Nube non trovate", -"web services under your control" => "servicios web sub tu controlo", "Edit categories" => "Modificar categorias", "Add" => "Adder", "Create an admin account" => "Crear un conto de administration", diff --git a/core/l10n/id.php b/core/l10n/id.php index 5fe8b54222..2ee9c37ec2 100644 --- a/core/l10n/id.php +++ b/core/l10n/id.php @@ -98,7 +98,6 @@ "Help" => "Bantuan", "Access forbidden" => "Akses ditolak", "Cloud not found" => "Cloud tidak ditemukan", -"web services under your control" => "layanan web dalam kontrol Anda", "Edit categories" => "Edit kategori", "Add" => "Tambah", "Security Warning" => "Peringatan Keamanan", diff --git a/core/l10n/is.php b/core/l10n/is.php index b8573b3624..3d3ce41b27 100644 --- a/core/l10n/is.php +++ b/core/l10n/is.php @@ -96,7 +96,6 @@ "Help" => "Hjálp", "Access forbidden" => "Aðgangur bannaður", "Cloud not found" => "Ský finnst ekki", -"web services under your control" => "vefþjónusta undir þinni stjórn", "Edit categories" => "Breyta flokkum", "Add" => "Bæta við", "Security Warning" => "Öryggis aðvörun", diff --git a/core/l10n/it.php b/core/l10n/it.php index b053a2a21b..f26be1d129 100644 --- a/core/l10n/it.php +++ b/core/l10n/it.php @@ -1,5 +1,5 @@ "%s ha condiviso »%s« con te", +"%s shared »%s« with you" => "%s ha condiviso «%s» con te", "Category type not provided." => "Tipo di categoria non fornito.", "No category to add?" => "Nessuna categoria da aggiungere?", "This category already exists: %s" => "Questa categoria esiste già: %s", @@ -106,7 +106,6 @@ "Access forbidden" => "Accesso negato", "Cloud not found" => "Nuvola non trovata", "Hey there,\n\njust letting you know that %s shared %s with you.\nView it: %s\n\nCheers!" => "Ehilà,\n\nvolevo solamente farti sapere che %s ha condiviso %s con te.\nGuarda: %s\n\nSaluti!", -"web services under your control" => "servizi web nelle tue mani", "Edit categories" => "Modifica categorie", "Add" => "Aggiungi", "Security Warning" => "Avviso di sicurezza", @@ -136,7 +135,7 @@ "remember" => "ricorda", "Log in" => "Accedi", "Alternative Logins" => "Accessi alternativi", -"Hey there,

    just letting you know that %s shared »%s« with you.
    View it!

    Cheers!" => "Ehilà,

    volevo solamente farti sapere che %s ha condiviso »%s« con te.
    Guarda!

    Saluti!", +"Hey there,

    just letting you know that %s shared »%s« with you.
    View it!

    Cheers!" => "Ehilà,

    volevo solamente farti sapere che %s ha condiviso «%s» con te.
    Guarda!

    Saluti!", "prev" => "precedente", "next" => "successivo", "Updating ownCloud to version %s, this may take a while." => "Aggiornamento di ownCloud alla versione %s in corso, ciò potrebbe richiedere del tempo." diff --git a/core/l10n/ja_JP.php b/core/l10n/ja_JP.php index ccd5e46425..0f445e7d85 100644 --- a/core/l10n/ja_JP.php +++ b/core/l10n/ja_JP.php @@ -62,7 +62,7 @@ "Share with link" => "URLリンクで共有", "Password protect" => "パスワード保護", "Password" => "パスワード", -"Allow Public Upload" => "パブリックなアップロードを許可", +"Allow Public Upload" => "アップロードを許可", "Email link to person" => "メールリンク", "Send" => "送信", "Set expiration date" => "有効期限を設定", @@ -106,7 +106,6 @@ "Access forbidden" => "アクセスが禁止されています", "Cloud not found" => "見つかりません", "Hey there,\n\njust letting you know that %s shared %s with you.\nView it: %s\n\nCheers!" => "こんにちは、\n\n%s があなたと %s を共有したことをお知らせします。\nそれを表示: %s\n\nそれでは。", -"web services under your control" => "管理下のウェブサービス", "Edit categories" => "カテゴリを編集", "Add" => "追加", "Security Warning" => "セキュリティ警告", diff --git a/core/l10n/ka_GE.php b/core/l10n/ka_GE.php index 6674106f1d..877d66a0db 100644 --- a/core/l10n/ka_GE.php +++ b/core/l10n/ka_GE.php @@ -98,7 +98,6 @@ "Help" => "დახმარება", "Access forbidden" => "წვდომა აკრძალულია", "Cloud not found" => "ღრუბელი არ არსებობს", -"web services under your control" => "web services under your control", "Edit categories" => "კატეგორიების რედაქტირება", "Add" => "დამატება", "Security Warning" => "უსაფრთხოების გაფრთხილება", diff --git a/core/l10n/ko.php b/core/l10n/ko.php index d95daaa3a7..9f95becf6d 100644 --- a/core/l10n/ko.php +++ b/core/l10n/ko.php @@ -60,6 +60,7 @@ "Share with link" => "URL 링크로 공유", "Password protect" => "암호 보호", "Password" => "암호", +"Allow Public Upload" => "퍼블릭 업로드 허용", "Email link to person" => "이메일 주소", "Send" => "전송", "Set expiration date" => "만료 날짜 설정", @@ -84,8 +85,10 @@ "The update was successful. Redirecting you to ownCloud now." => "업데이트가 성공하였습니다. ownCloud로 돌아갑니다.", "ownCloud password reset" => "ownCloud 암호 재설정", "Use the following link to reset your password: {link}" => "다음 링크를 사용하여 암호를 재설정할 수 있습니다: {link}", +"Request failed!
    Did you make sure your email/username was right?" => "요청이 실패했습니다!
    email 주소와 사용자 명을 정확하게 넣으셨나요?", "You will receive a link to reset your password via Email." => "이메일로 암호 재설정 링크를 보냈습니다.", "Username" => "사용자 이름", +"Yes, I really want to reset my password now" => "네, 전 제 비밀번호를 리셋하길 원합니다", "Request reset" => "요청 초기화", "Your password was reset" => "암호가 재설정되었습니다", "To login page" => "로그인 화면으로", @@ -98,7 +101,6 @@ "Help" => "도움말", "Access forbidden" => "접근 금지됨", "Cloud not found" => "클라우드를 찾을 수 없습니다", -"web services under your control" => "내가 관리하는 웹 서비스", "Edit categories" => "분류 수정", "Add" => "추가", "Security Warning" => "보안 경고", diff --git a/core/l10n/ku_IQ.php b/core/l10n/ku_IQ.php index ab46b13a50..1902e45061 100644 --- a/core/l10n/ku_IQ.php +++ b/core/l10n/ku_IQ.php @@ -10,7 +10,6 @@ "Admin" => "به‌ڕێوه‌به‌ری سه‌ره‌كی", "Help" => "یارمەتی", "Cloud not found" => "هیچ نه‌دۆزرایه‌وه‌", -"web services under your control" => "ڕاژه‌ی وێب له‌ژێر چاودێریت دایه", "Add" => "زیادکردن", "Advanced" => "هه‌ڵبژاردنی پیشكه‌وتوو", "Data folder" => "زانیاری فۆڵده‌ر", diff --git a/core/l10n/lb.php b/core/l10n/lb.php index 08cf4317d2..96a3222093 100644 --- a/core/l10n/lb.php +++ b/core/l10n/lb.php @@ -106,7 +106,6 @@ "Access forbidden" => "Zougrëff net erlaabt", "Cloud not found" => "Cloud net fonnt", "Hey there,\n\njust letting you know that %s shared %s with you.\nView it: %s\n\nCheers!" => "Hallo,\n\nech wëll just Bescheed soen dass den/d' %s, »%s« mat dir gedeelt huet.\nKucken: %s\n\nE schéine Bonjour!", -"web services under your control" => "Web-Servicer ënnert denger Kontroll", "Edit categories" => "Kategorien editéieren", "Add" => "Dobäisetzen", "Security Warning" => "Sécherheets-Warnung", diff --git a/core/l10n/lt_LT.php b/core/l10n/lt_LT.php index 673ee83dca..4faf7388b2 100644 --- a/core/l10n/lt_LT.php +++ b/core/l10n/lt_LT.php @@ -101,7 +101,6 @@ "Help" => "Pagalba", "Access forbidden" => "Priėjimas draudžiamas", "Cloud not found" => "Negalima rasti", -"web services under your control" => "jūsų valdomos web paslaugos", "Edit categories" => "Redaguoti kategorijas", "Add" => "Pridėti", "Security Warning" => "Saugumo pranešimas", diff --git a/core/l10n/lv.php b/core/l10n/lv.php index b8bfe74c37..9552891d7d 100644 --- a/core/l10n/lv.php +++ b/core/l10n/lv.php @@ -98,7 +98,6 @@ "Help" => "Palīdzība", "Access forbidden" => "Pieeja ir liegta", "Cloud not found" => "Mākonis netika atrasts", -"web services under your control" => "tīmekļa servisi tavā varā", "Edit categories" => "Rediģēt kategoriju", "Add" => "Pievienot", "Security Warning" => "Brīdinājums par drošību", diff --git a/core/l10n/mk.php b/core/l10n/mk.php index de89403ee3..c2b7907aa3 100644 --- a/core/l10n/mk.php +++ b/core/l10n/mk.php @@ -94,7 +94,6 @@ "Help" => "Помош", "Access forbidden" => "Забранет пристап", "Cloud not found" => "Облакот не е најден", -"web services under your control" => "веб сервиси под Ваша контрола", "Edit categories" => "Уреди категории", "Add" => "Додади", "Security Warning" => "Безбедносно предупредување", diff --git a/core/l10n/ms_MY.php b/core/l10n/ms_MY.php index 7a18acea7c..4227a31758 100644 --- a/core/l10n/ms_MY.php +++ b/core/l10n/ms_MY.php @@ -44,7 +44,6 @@ "Help" => "Bantuan", "Access forbidden" => "Larangan akses", "Cloud not found" => "Awan tidak dijumpai", -"web services under your control" => "Perkhidmatan web di bawah kawalan anda", "Edit categories" => "Ubah kategori", "Add" => "Tambah", "Security Warning" => "Amaran keselamatan", diff --git a/core/l10n/my_MM.php b/core/l10n/my_MM.php index 614c353929..bfdff35184 100644 --- a/core/l10n/my_MM.php +++ b/core/l10n/my_MM.php @@ -46,7 +46,6 @@ "Admin" => "အက်ဒမင်", "Help" => "အကူအညီ", "Cloud not found" => "မတွေ့ရှိမိပါ", -"web services under your control" => "သင်၏ထိန်းချုပ်မှု့အောက်တွင်ရှိသော Web services", "Add" => "ပေါင်းထည့်", "Security Warning" => "လုံခြုံရေးသတိပေးချက်", "Create an admin account" => "အက်ဒမင်အကောင့်တစ်ခုဖန်တီးမည်", diff --git a/core/l10n/nb_NO.php b/core/l10n/nb_NO.php index d6d9675d32..6780a69a22 100644 --- a/core/l10n/nb_NO.php +++ b/core/l10n/nb_NO.php @@ -1,5 +1,7 @@ "%s delte »%s« med deg", "No category to add?" => "Ingen kategorier å legge til?", +"This category already exists: %s" => "Denne kategorien finnes allerede: %s", "No categories selected for deletion." => "Ingen kategorier merket for sletting.", "Sunday" => "Søndag", "Monday" => "Mandag", @@ -40,8 +42,10 @@ "No" => "Nei", "Ok" => "Ok", "Error" => "Feil", +"Shared" => "Delt", "Share" => "Del", "Error while sharing" => "Feil under deling", +"Shared with you by {owner}" => "Delt med deg av {owner}", "Share with" => "Del med", "Share with link" => "Del med link", "Password protect" => "Passordbeskyttet", @@ -78,7 +82,7 @@ "Help" => "Hjelp", "Access forbidden" => "Tilgang nektet", "Cloud not found" => "Sky ikke funnet", -"web services under your control" => "web tjenester du kontrollerer", +"Hey there,\n\njust letting you know that %s shared %s with you.\nView it: %s\n\nCheers!" => "Hei der.⏎\n⏎\nVille bare gjøre deg oppmerksom på at %s delte %s med deg.⏎\nVis den: %s⏎\n⏎\nVI ses!", "Edit categories" => "Rediger kategorier", "Add" => "Legg til", "Security Warning" => "Sikkerhetsadvarsel", @@ -101,5 +105,6 @@ "remember" => "husk", "Log in" => "Logg inn", "prev" => "forrige", -"next" => "neste" +"next" => "neste", +"Updating ownCloud to version %s, this may take a while." => "Oppdaterer ownCloud til versjon %s, dette kan ta en stund." ); diff --git a/core/l10n/nl.php b/core/l10n/nl.php index 7afbdde353..9352f595e7 100644 --- a/core/l10n/nl.php +++ b/core/l10n/nl.php @@ -106,7 +106,6 @@ "Access forbidden" => "Toegang verboden", "Cloud not found" => "Cloud niet gevonden", "Hey there,\n\njust letting you know that %s shared %s with you.\nView it: %s\n\nCheers!" => "Hallo daar,\n\n%s deelde %s met jou.\nBekijk: %s\n\nVeel plezier!", -"web services under your control" => "Webdiensten in eigen beheer", "Edit categories" => "Wijzig categorieën", "Add" => "Toevoegen", "Security Warning" => "Beveiligingswaarschuwing", diff --git a/core/l10n/nn_NO.php b/core/l10n/nn_NO.php index 67dbe32ff6..2a4902962b 100644 --- a/core/l10n/nn_NO.php +++ b/core/l10n/nn_NO.php @@ -100,7 +100,6 @@ "Help" => "Hjelp", "Access forbidden" => "Tilgang forbudt", "Cloud not found" => "Fann ikkje skyen", -"web services under your control" => "Vev tjenester under din kontroll", "Edit categories" => "Endra kategoriar", "Add" => "Legg til", "Security Warning" => "Tryggleiksåtvaring", diff --git a/core/l10n/oc.php b/core/l10n/oc.php index 4440444885..ad400aa650 100644 --- a/core/l10n/oc.php +++ b/core/l10n/oc.php @@ -74,7 +74,6 @@ "Help" => "Ajuda", "Access forbidden" => "Acces enebit", "Cloud not found" => "Nívol pas trobada", -"web services under your control" => "Services web jos ton contraròtle", "Edit categories" => "Edita categorias", "Add" => "Ajusta", "Security Warning" => "Avertiment de securitat", diff --git a/core/l10n/pl.php b/core/l10n/pl.php index 98a2c6b0af..0d7c9eb21c 100644 --- a/core/l10n/pl.php +++ b/core/l10n/pl.php @@ -104,7 +104,6 @@ "Help" => "Pomoc", "Access forbidden" => "Dostęp zabroniony", "Cloud not found" => "Nie odnaleziono chmury", -"web services under your control" => "Kontrolowane serwisy", "Edit categories" => "Edytuj kategorie", "Add" => "Dodaj", "Security Warning" => "Ostrzeżenie o zabezpieczeniach", diff --git a/core/l10n/pt_BR.php b/core/l10n/pt_BR.php index 69a87133ff..b36511da60 100644 --- a/core/l10n/pt_BR.php +++ b/core/l10n/pt_BR.php @@ -106,7 +106,6 @@ "Access forbidden" => "Acesso proibido", "Cloud not found" => "Cloud não encontrado", "Hey there,\n\njust letting you know that %s shared %s with you.\nView it: %s\n\nCheers!" => "Olá,\n\napenas para você saber que %s compartilhou %s com você.\nVeja: %s\n\nAbraços!", -"web services under your control" => "serviços web sob seu controle", "Edit categories" => "Editar categorias", "Add" => "Adicionar", "Security Warning" => "Aviso de Segurança", diff --git a/core/l10n/pt_PT.php b/core/l10n/pt_PT.php index 77c27b641d..2020823310 100644 --- a/core/l10n/pt_PT.php +++ b/core/l10n/pt_PT.php @@ -1,4 +1,5 @@ "%s partilhado »%s« contigo", "Category type not provided." => "Tipo de categoria não fornecido", "No category to add?" => "Nenhuma categoria para adicionar?", "This category already exists: %s" => "A categoria já existe: %s", @@ -61,6 +62,7 @@ "Share with link" => "Partilhar com link", "Password protect" => "Proteger com palavra-passe", "Password" => "Password", +"Allow Public Upload" => "Permitir Envios Públicos", "Email link to person" => "Enviar o link por e-mail", "Send" => "Enviar", "Set expiration date" => "Especificar data de expiração", @@ -89,6 +91,8 @@ "Request failed!
    Did you make sure your email/username was right?" => "O pedido falhou!
    Tem a certeza que introduziu o seu email/username correcto?", "You will receive a link to reset your password via Email." => "Vai receber um endereço para repor a sua password", "Username" => "Nome de utilizador", +"Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset. If you are not sure what to do, please contact your administrator before you continue. Do you really want to continue?" => "Os seus ficheiros estão encriptados. Se não activou a chave de recuperação, não vai ser possível recuperar os seus dados no caso da sua password ser reinicializada. Se não tem a certeza do que precisa de fazer, por favor contacte o seu administrador antes de continuar. Tem a certeza que quer continuar?", +"Yes, I really want to reset my password now" => "Sim, tenho a certeza que pretendo redefinir a minha palavra-passe agora.", "Request reset" => "Pedir reposição", "Your password was reset" => "A sua password foi reposta", "To login page" => "Para a página de entrada", @@ -101,7 +105,7 @@ "Help" => "Ajuda", "Access forbidden" => "Acesso interdito", "Cloud not found" => "Cloud nao encontrada", -"web services under your control" => "serviços web sob o seu controlo", +"Hey there,\n\njust letting you know that %s shared %s with you.\nView it: %s\n\nCheers!" => "Olá,\n\nApenas para lhe informar que %s partilhou %s consigo.\nVeja-o: %s\n\nCumprimentos!", "Edit categories" => "Editar categorias", "Add" => "Adicionar", "Security Warning" => "Aviso de Segurança", @@ -131,6 +135,7 @@ "remember" => "lembrar", "Log in" => "Entrar", "Alternative Logins" => "Contas de acesso alternativas", +"Hey there,

    just letting you know that %s shared »%s« with you.
    View it!

    Cheers!" => "Olá,

    Apenas para lhe informar que %s partilhou »%s« consigo.
    Consulte-o aqui!

    Cumprimentos!", "prev" => "anterior", "next" => "seguinte", "Updating ownCloud to version %s, this may take a while." => "A actualizar o ownCloud para a versão %s, esta operação pode demorar." diff --git a/core/l10n/ro.php b/core/l10n/ro.php index 327fb72f43..6f23cea1c2 100644 --- a/core/l10n/ro.php +++ b/core/l10n/ro.php @@ -62,6 +62,7 @@ "Share with link" => "Partajare cu legătură", "Password protect" => "Protejare cu parolă", "Password" => "Parolă", +"Allow Public Upload" => "Permiteţi încărcarea publică.", "Email link to person" => "Expediază legătura prin poșta electronică", "Send" => "Expediază", "Set expiration date" => "Specifică data expirării", @@ -105,7 +106,6 @@ "Access forbidden" => "Acces interzis", "Cloud not found" => "Nu s-a găsit", "Hey there,\n\njust letting you know that %s shared %s with you.\nView it: %s\n\nCheers!" => "Salutare,\n\nVă aduc la cunoștință că %s a partajat %s cu tine.\nAccesează la: %s\n\nNumai bine!", -"web services under your control" => "servicii web controlate de tine", "Edit categories" => "Editează categorii", "Add" => "Adaugă", "Security Warning" => "Avertisment de securitate", diff --git a/core/l10n/ru.php b/core/l10n/ru.php index f3acab5be3..3369072ba8 100644 --- a/core/l10n/ru.php +++ b/core/l10n/ru.php @@ -62,6 +62,7 @@ "Share with link" => "Поделиться с ссылкой", "Password protect" => "Защитить паролем", "Password" => "Пароль", +"Allow Public Upload" => "Разрешить открытую загрузку", "Email link to person" => "Почтовая ссылка на персону", "Send" => "Отправить", "Set expiration date" => "Установить срок доступа", @@ -105,7 +106,6 @@ "Access forbidden" => "Доступ запрещён", "Cloud not found" => "Облако не найдено", "Hey there,\n\njust letting you know that %s shared %s with you.\nView it: %s\n\nCheers!" => "Приветствую,⏎\n⏎\nпросто даю знать, что %s поделился %s с вами.⏎\nПосмотреть: %s⏎\n⏎\nУдачи!", -"web services under your control" => "веб-сервисы под вашим управлением", "Edit categories" => "Редактировать категрии", "Add" => "Добавить", "Security Warning" => "Предупреждение безопасности", diff --git a/core/l10n/si_LK.php b/core/l10n/si_LK.php index b27f1c6c98..21038a93e8 100644 --- a/core/l10n/si_LK.php +++ b/core/l10n/si_LK.php @@ -66,7 +66,6 @@ "Help" => "උදව්", "Access forbidden" => "ඇතුල් වීම තහනම්", "Cloud not found" => "සොයා ගත නොහැක", -"web services under your control" => "ඔබට පාලනය කළ හැකි වෙබ් සේවාවන්", "Edit categories" => "ප්‍රභේදයන් සංස්කරණය", "Add" => "එකතු කරන්න", "Security Warning" => "ආරක්ෂක නිවේදනයක්", diff --git a/core/l10n/sk_SK.php b/core/l10n/sk_SK.php index ead3842e45..582296139e 100644 --- a/core/l10n/sk_SK.php +++ b/core/l10n/sk_SK.php @@ -62,6 +62,7 @@ "Share with link" => "Zdieľať cez odkaz", "Password protect" => "Chrániť heslom", "Password" => "Heslo", +"Allow Public Upload" => "Povoliť verejné nahrávanie", "Email link to person" => "Odoslať odkaz emailom", "Send" => "Odoslať", "Set expiration date" => "Nastaviť dátum expirácie", @@ -90,6 +91,7 @@ "Request failed!
    Did you make sure your email/username was right?" => "Požiadavka zlyhala.
    Uistili ste sa, že Vaše používateľské meno a email sú správne?", "You will receive a link to reset your password via Email." => "Odkaz pre obnovenie hesla obdržíte e-mailom.", "Username" => "Meno používateľa", +"Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset. If you are not sure what to do, please contact your administrator before you continue. Do you really want to continue?" => "Vaše súbory sú šifrované. Ak nemáte povolený kľúč obnovy, nie je spôsob, ako získať po obnove hesla Vaše dáta. Ak nie ste si isí tým, čo robíte, obráťte sa najskôr na administrátora. Naozaj chcete pokračovať?", "Yes, I really want to reset my password now" => "Áno, želám si teraz obnoviť svoje heslo", "Request reset" => "Požiadať o obnovenie", "Your password was reset" => "Vaše heslo bolo obnovené", @@ -104,7 +106,6 @@ "Access forbidden" => "Prístup odmietnutý", "Cloud not found" => "Nenájdené", "Hey there,\n\njust letting you know that %s shared %s with you.\nView it: %s\n\nCheers!" => "Ahoj,\n\nChcem Vám oznámiť, že %s s Vami zdieľa %s.\nPozrieť si to môžete tu: %s\n\nVďaka", -"web services under your control" => "webové služby pod Vašou kontrolou", "Edit categories" => "Upraviť kategórie", "Add" => "Pridať", "Security Warning" => "Bezpečnostné varovanie", diff --git a/core/l10n/sl.php b/core/l10n/sl.php index bbe7554245..548a5a3f51 100644 --- a/core/l10n/sl.php +++ b/core/l10n/sl.php @@ -106,7 +106,6 @@ "Access forbidden" => "Dostop je prepovedan", "Cloud not found" => "Oblaka ni mogoče najti", "Hey there,\n\njust letting you know that %s shared %s with you.\nView it: %s\n\nCheers!" => "Pozdravljen/a,⏎\n⏎\nsporočam, da je %s delil %s s teboj.⏎\nPoglej na: %s⏎\n⏎\nLep pozdrav!", -"web services under your control" => "spletne storitve pod vašim nadzorom", "Edit categories" => "Uredi kategorije", "Add" => "Dodaj", "Security Warning" => "Varnostno opozorilo", diff --git a/core/l10n/sq.php b/core/l10n/sq.php index f5d7d93376..4e6c458f4d 100644 --- a/core/l10n/sq.php +++ b/core/l10n/sq.php @@ -100,7 +100,6 @@ "Help" => "Ndihmë", "Access forbidden" => "Ndalohet hyrja", "Cloud not found" => "Cloud-i nuk u gjet", -"web services under your control" => "shërbime web nën kontrollin tënd", "Edit categories" => "Ndrysho kategoritë", "Add" => "Shto", "Security Warning" => "Paralajmërim sigurie", diff --git a/core/l10n/sr.php b/core/l10n/sr.php index a85e1bfb7e..d68012c505 100644 --- a/core/l10n/sr.php +++ b/core/l10n/sr.php @@ -93,7 +93,6 @@ "Help" => "Помоћ", "Access forbidden" => "Забрањен приступ", "Cloud not found" => "Облак није нађен", -"web services under your control" => "веб сервиси под контролом", "Edit categories" => "Измени категорије", "Add" => "Додај", "Security Warning" => "Сигурносно упозорење", diff --git a/core/l10n/sv.php b/core/l10n/sv.php index bb79e67d95..1c84c62467 100644 --- a/core/l10n/sv.php +++ b/core/l10n/sv.php @@ -83,7 +83,7 @@ "Error setting expiration date" => "Fel vid sättning av utgångsdatum", "Sending ..." => "Skickar ...", "Email sent" => "E-post skickat", -"The update was unsuccessful. Please report this issue to the ownCloud community." => "Uppdateringen misslyckades. Rapportera detta problem till ownCloud-gemenskapen.", +"The update was unsuccessful. Please report this issue to the ownCloud community." => "Uppdateringen misslyckades. Rapportera detta problem till ownCloud Community.", "The update was successful. Redirecting you to ownCloud now." => "Uppdateringen lyckades. Du omdirigeras nu till OwnCloud.", "ownCloud password reset" => "ownCloud lösenordsåterställning", "Use the following link to reset your password: {link}" => "Använd följande länk för att återställa lösenordet: {link}", @@ -106,7 +106,6 @@ "Access forbidden" => "Åtkomst förbjuden", "Cloud not found" => "Hittade inget moln", "Hey there,\n\njust letting you know that %s shared %s with you.\nView it: %s\n\nCheers!" => "Hej där,⏎\n⏎\nville bara meddela dig att %s delade %s med dig.⏎\nTitta på den: %s⏎\n⏎\nVi hörs!", -"web services under your control" => "webbtjänster under din kontroll", "Edit categories" => "Editera kategorier", "Add" => "Lägg till", "Security Warning" => "Säkerhetsvarning", diff --git a/core/l10n/ta_LK.php b/core/l10n/ta_LK.php index 0770805ddf..e593018aaa 100644 --- a/core/l10n/ta_LK.php +++ b/core/l10n/ta_LK.php @@ -90,7 +90,6 @@ "Help" => "உதவி", "Access forbidden" => "அணுக தடை", "Cloud not found" => "Cloud காணப்படவில்லை", -"web services under your control" => "வலைய சேவைகள் உங்களுடைய கட்டுப்பாட்டின் கீழ் உள்ளது", "Edit categories" => "வகைகளை தொகுக்க", "Add" => "சேர்க்க", "Security Warning" => "பாதுகாப்பு எச்சரிக்கை", diff --git a/core/l10n/th_TH.php b/core/l10n/th_TH.php index 83642ed89c..392da561bf 100644 --- a/core/l10n/th_TH.php +++ b/core/l10n/th_TH.php @@ -97,7 +97,6 @@ "Help" => "ช่วยเหลือ", "Access forbidden" => "การเข้าถึงถูกหวงห้าม", "Cloud not found" => "ไม่พบ Cloud", -"web services under your control" => "เว็บเซอร์วิสที่คุณควบคุมการใช้งานได้", "Edit categories" => "แก้ไขหมวดหมู่", "Add" => "เพิ่ม", "Security Warning" => "คำเตือนเกี่ยวกับความปลอดภัย", diff --git a/core/l10n/tr.php b/core/l10n/tr.php index f6112040c5..b8701abffa 100644 --- a/core/l10n/tr.php +++ b/core/l10n/tr.php @@ -1,4 +1,5 @@ "%s sizinle »%s« paylaşımında bulundu", "Category type not provided." => "Kategori türü desteklenmemektedir.", "No category to add?" => "Eklenecek kategori yok?", "This category already exists: %s" => "Bu kategori zaten mevcut: %s", @@ -61,6 +62,7 @@ "Share with link" => "Bağlantı ile paylaş", "Password protect" => "Şifre korunması", "Password" => "Parola", +"Allow Public Upload" => "Herkes tarafından yüklemeye izin ver", "Email link to person" => "Kişiye e-posta linki", "Send" => "Gönder", "Set expiration date" => "Son kullanma tarihini ayarla", @@ -89,6 +91,8 @@ "Request failed!
    Did you make sure your email/username was right?" => "Isteği başarısız oldu!
    E-posta / kullanıcı adınızı doğru olduğundan emin misiniz?", "You will receive a link to reset your password via Email." => "Parolanızı sıfırlamak için bir bağlantı Eposta olarak gönderilecek.", "Username" => "Kullanıcı Adı", +"Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset. If you are not sure what to do, please contact your administrator before you continue. Do you really want to continue?" => "Dosyalarınız şifrelenmiş. Eğer kurtarma anahtarını aktif etmediyseniz parola sıfırlama işleminden sonra verilerinize erişmeniz imkansız olacak. Eğer ne yaptığınızdan emin değilseniz, devam etmeden önce sistem yöneticiniz ile irtibata geçiniz. Gerçekten devam etmek istiyor musunuz?", +"Yes, I really want to reset my password now" => "Evet,Şu anda parolamı sıfırlamak istiyorum.", "Request reset" => "Sıfırlama iste", "Your password was reset" => "Parolanız sıfırlandı", "To login page" => "Giriş sayfasına git", @@ -101,7 +105,7 @@ "Help" => "Yardım", "Access forbidden" => "Erişim yasaklı", "Cloud not found" => "Bulut bulunamadı", -"web services under your control" => "Bilgileriniz güvenli ve şifreli", +"Hey there,\n\njust letting you know that %s shared %s with you.\nView it: %s\n\nCheers!" => "Merhaba\n\n%s sizinle %s dosyasını paylaştığı\nPaylaşımı gör:%s\n\nİyi günler!", "Edit categories" => "Kategorileri düzenle", "Add" => "Ekle", "Security Warning" => "Güvenlik Uyarisi", @@ -131,6 +135,7 @@ "remember" => "hatırla", "Log in" => "Giriş yap", "Alternative Logins" => "Alternatif Girişler", +"Hey there,

    just letting you know that %s shared »%s« with you.
    View it!

    Cheers!" => "Merhaba,

    %s sizinle »%s« paylaşımında bulundu.
    Paylaşımı gör!

    İyi günler!", "prev" => "önceki", "next" => "sonraki", "Updating ownCloud to version %s, this may take a while." => "Owncloud %s versiyonuna güncelleniyor. Biraz zaman alabilir." diff --git a/core/l10n/uk.php b/core/l10n/uk.php index 11ebda3af8..8e67a47095 100644 --- a/core/l10n/uk.php +++ b/core/l10n/uk.php @@ -98,7 +98,6 @@ "Help" => "Допомога", "Access forbidden" => "Доступ заборонено", "Cloud not found" => "Cloud не знайдено", -"web services under your control" => "підконтрольні Вам веб-сервіси", "Edit categories" => "Редагувати категорії", "Add" => "Додати", "Security Warning" => "Попередження про небезпеку", diff --git a/core/l10n/ur_PK.php b/core/l10n/ur_PK.php index 0e0489bf33..b27033b80e 100644 --- a/core/l10n/ur_PK.php +++ b/core/l10n/ur_PK.php @@ -55,7 +55,6 @@ "Help" => "مدد", "Access forbidden" => "پہنچ کی اجازت نہیں", "Cloud not found" => "نہیں مل سکا", -"web services under your control" => "آپ کے اختیار میں ویب سروسیز", "Edit categories" => "زمرہ جات کی تدوین کریں", "Add" => "شامل کریں", "Create an admin account" => "ایک ایڈمن اکاؤنٹ بنائیں", diff --git a/core/l10n/vi.php b/core/l10n/vi.php index ebe6c7006f..37ed47de76 100644 --- a/core/l10n/vi.php +++ b/core/l10n/vi.php @@ -100,7 +100,6 @@ "Help" => "Giúp đỡ", "Access forbidden" => "Truy cập bị cấm", "Cloud not found" => "Không tìm thấy Clound", -"web services under your control" => "dịch vụ web dưới sự kiểm soát của bạn", "Edit categories" => "Sửa chuyên mục", "Add" => "Thêm", "Security Warning" => "Cảnh bảo bảo mật", diff --git a/core/l10n/zh_CN.GB2312.php b/core/l10n/zh_CN.GB2312.php index b4cc129964..237f0bb14b 100644 --- a/core/l10n/zh_CN.GB2312.php +++ b/core/l10n/zh_CN.GB2312.php @@ -97,7 +97,6 @@ "Help" => "帮助", "Access forbidden" => "禁止访问", "Cloud not found" => "云 没有被找到", -"web services under your control" => "您控制的网络服务", "Edit categories" => "编辑分类", "Add" => "添加", "Security Warning" => "安全警告", diff --git a/core/l10n/zh_CN.php b/core/l10n/zh_CN.php index 80815b508c..0c73fe31b3 100644 --- a/core/l10n/zh_CN.php +++ b/core/l10n/zh_CN.php @@ -106,7 +106,6 @@ "Access forbidden" => "访问禁止", "Cloud not found" => "未找到云", "Hey there,\n\njust letting you know that %s shared %s with you.\nView it: %s\n\nCheers!" => "您好,\n\n%s 向您分享了 %s。\n查看: %s", -"web services under your control" => "您控制的web服务", "Edit categories" => "编辑分类", "Add" => "增加", "Security Warning" => "安全警告", diff --git a/core/l10n/zh_TW.php b/core/l10n/zh_TW.php index 306ae7acb8..f093a687f8 100644 --- a/core/l10n/zh_TW.php +++ b/core/l10n/zh_TW.php @@ -1,4 +1,5 @@ "%s 與您分享了 %s", "Category type not provided." => "未提供分類類型。", "No category to add?" => "沒有可增加的分類?", "This category already exists: %s" => "分類已經存在: %s", @@ -61,6 +62,7 @@ "Share with link" => "使用連結分享", "Password protect" => "密碼保護", "Password" => "密碼", +"Allow Public Upload" => "允許任何人上傳", "Email link to person" => "將連結 email 給別人", "Send" => "寄出", "Set expiration date" => "設置到期日", @@ -87,8 +89,9 @@ "Use the following link to reset your password: {link}" => "請至以下連結重設您的密碼: {link}", "The link to reset your password has been sent to your email.
    If you do not receive it within a reasonable amount of time, check your spam/junk folders.
    If it is not there ask your local administrator ." => "重設密碼的連結已經寄至您的電子郵件信箱,如果您過了一段時間還是沒有收到它,請檢查看看它是不是被放到垃圾郵件了,如果還是沒有的話,請聯絡您的 ownCloud 系統管理員。", "Request failed!
    Did you make sure your email/username was right?" => "請求失敗!
    您確定填入的電子郵件地址或是帳號名稱是正確的嗎?", -"You will receive a link to reset your password via Email." => "重設密碼的連結將會寄到你的電子郵件信箱。", +"You will receive a link to reset your password via Email." => "重設密碼的連結將會寄到您的電子郵件信箱。", "Username" => "使用者名稱", +"Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset. If you are not sure what to do, please contact your administrator before you continue. Do you really want to continue?" => "您的檔案已加密,如果您沒有設定還原金鑰,未來重設密碼後將無法取回您的資料。如果您不確定該怎麼做,請洽詢系統管理員後再繼續。您確定要現在繼續嗎?", "Yes, I really want to reset my password now" => "對,我現在想要重設我的密碼。", "Request reset" => "請求重設", "Your password was reset" => "您的密碼已重設", @@ -102,7 +105,7 @@ "Help" => "說明", "Access forbidden" => "存取被拒", "Cloud not found" => "未發現雲端", -"web services under your control" => "由您控制的網路服務", +"Hey there,\n\njust letting you know that %s shared %s with you.\nView it: %s\n\nCheers!" => "嗨,\n\n通知您,%s 與您分享了 %s 。\n看一下:%s", "Edit categories" => "編輯分類", "Add" => "增加", "Security Warning" => "安全性警告", @@ -132,6 +135,7 @@ "remember" => "記住", "Log in" => "登入", "Alternative Logins" => "替代登入方法", +"Hey there,

    just letting you know that %s shared »%s« with you.
    View it!

    Cheers!" => "嗨,

    通知您,%s 與您分享了 %s ,
    看一下吧", "prev" => "上一頁", "next" => "下一頁", "Updating ownCloud to version %s, this may take a while." => "正在將 Owncloud 升級至版本 %s ,這可能需要一點時間。" diff --git a/core/templates/altmail.php b/core/templates/altmail.php index a7df29a244..2551473c6f 100644 --- a/core/templates/altmail.php +++ b/core/templates/altmail.php @@ -1,9 +1,7 @@ t("Hey there,\n\njust letting you know that %s shared %s with you.\nView it: %s\n\nCheers!", array($_['user_displayname'], $_['filename'], $_['link']))); ?> -- -getName() . ' - ' . $defaults->getSlogan()); ?> -getBaseUrl()); +getName() . ' - ' . $theme->getSlogan()); ?> +getBaseUrl()); diff --git a/core/templates/installation.php b/core/templates/installation.php index 7f2796a4b3..6de67a83d4 100644 --- a/core/templates/installation.php +++ b/core/templates/installation.php @@ -23,7 +23,7 @@
    t('Security Warning'));?>

    t('Your PHP version is vulnerable to the NULL Byte attack (CVE-2006-7243)'));?>
    - t('Please update your PHP installation to use ownCloud securely.'));?>

    + t('Please update your PHP installation to use %s securely.', $theme->getName() )); ?>

    @@ -37,7 +37,10 @@
    t('Security Warning'));?>

    t('Your data directory and files are probably accessible from the internet because the .htaccess file does not work.'));?>
    - t('For information how to properly configure your server, please see the documentation.'));?>

    + t( + 'For information how to properly configure your server, please see the documentation.', + $theme->getDocBaseUrl().'/server/5.0/admin_manual/installation.html' + )); ?>

    diff --git a/core/templates/layout.base.php b/core/templates/layout.base.php index 09e1006d50..ea10c3042b 100644 --- a/core/templates/layout.base.php +++ b/core/templates/layout.base.php @@ -6,11 +6,9 @@ - - - <?php p($defaults->getName()); ?> + <?php p($theme->getTitle()); ?> diff --git a/core/templates/layout.guest.php b/core/templates/layout.guest.php index 329744e382..9c9eb63382 100644 --- a/core/templates/layout.guest.php +++ b/core/templates/layout.guest.php @@ -6,11 +6,9 @@ - - - <?php p($defaults->getName()); ?> + <?php p($theme->getTitle()); ?> @@ -22,7 +20,7 @@ - + -
    +
    + + +
    +

    - getLongFooter()); ?> -

    + getLongFooter()); ?> +

    + diff --git a/core/templates/layout.user.php b/core/templates/layout.user.php index dacbe79bd3..b7405ea273 100644 --- a/core/templates/layout.user.php +++ b/core/templates/layout.user.php @@ -6,12 +6,10 @@ - - <?php p(!empty($_['application'])?$_['application'].' | ':''); - p($defaults->getName()); + p($theme->getTitle()); p(trim($_['user_displayname']) != '' ?' ('.$_['user_displayname'].') ':'') ?> @@ -45,8 +43,8 @@
    diff --git a/core/templates/mail.php b/core/templates/mail.php index 562ad82e95..de72b136b1 100644 --- a/core/templates/mail.php +++ b/core/templates/mail.php @@ -1,11 +1,10 @@ -
    @@ -77,7 +77,7 @@ t( 'Size' )); ?>t('Size')); ?> t( 'Modified' )); ?> diff --git a/apps/files/templates/part.breadcrumb.php b/apps/files/templates/part.breadcrumb.php index 9886b42e42..9db27eb9b2 100644 --- a/apps/files/templates/part.breadcrumb.php +++ b/apps/files/templates/part.breadcrumb.php @@ -7,8 +7,7 @@ + $dir = \OCP\Util::encodePath($crumb["dir"]); ?>
    svg" data-dir=''> diff --git a/apps/files/templates/part.list.php b/apps/files/templates/part.list.php index 502ddd329b..0c7d693669 100644 --- a/apps/files/templates/part.list.php +++ b/apps/files/templates/part.list.php @@ -9,7 +9,6 @@ $totalsize = 0; ?> } else { $totalfiles++; } - $simple_file_size = OCP\simple_file_size($file['size']); // the bigger the file, the darker the shade of grey; megabytes*2 $simple_size_color = intval(160-$file['size']/(1024*1024)*2); if($simple_size_color<0) $simple_size_color = 0; @@ -17,10 +16,8 @@ $totalsize = 0; ?> // 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>160) $relative_date_color = 160; - $name = rawurlencode($file['name']); - $name = str_replace('%2F', '/', $name); - $directory = rawurlencode($file['directory']); - $directory = str_replace('%2F', '/', $directory); ?> + $name = \OCP\Util::encodePath($file['name']); + $directory = \OCP\Util::encodePath($file['directory']); ?>
    - + } ?> - +
    - + + + + + - @@ -181,10 +189,16 @@ if (!$_['internetconnectionworking']) { ?> />
    - t('Enforces the clients to connect to ownCloud via an encrypted connection.')); ?> + t( + 'Forces the clients to connect to %s via an encrypted connection.', + $theme->getName() + )); ?>"); - p($l->t('Please connect to this ownCloud instance via HTTPS to enable or disable the SSL enforcement.')); + p($l->t( + 'Please connect to your %s via HTTPS to enable or disable the SSL enforcement.', + $theme->getName() + )); print_unescaped(""); } ?> @@ -198,7 +212,7 @@ if (!$_['internetconnectionworking']) { t('Log level'));?> - t('Help translate'));?> @@ -105,7 +103,7 @@ if($_['passwordChangeSupported']) {
    t('WebDAV'));?>
    - t('Use this address to connect to your ownCloud in your file manager'));?> + t('Use this address to access your Files via WebDAV', array($theme->getDocBaseUrl())));?>
    t('Version'));?> - getName()); ?>
    + getName()); ?>
    t('Developed by the ownCloud community, the source code is licensed under the AGPL.')); ?> diff --git a/settings/templates/users.php b/settings/templates/users.php index 9fcc11ab89..4ddef3ff1b 100644 --- a/settings/templates/users.php +++ b/settings/templates/users.php @@ -43,12 +43,12 @@ $_['subadmingroups'] = array_flip($items);
    @@ -21,9 +20,9 @@ print_unescaped($l->t('Hey there,

    just letting you know that %s shared » +getName()); ?> - +getSlogan()); ?> +
    getBaseUrl());?> diff --git a/db_structure.xml b/db_structure.xml index cefb7fc52c..ef5de65303 100644 --- a/db_structure.xml +++ b/db_structure.xml @@ -308,7 +308,7 @@ etagtext - true + false40 diff --git a/l10n/af_ZA/core.po b/l10n/af_ZA/core.po index 26e10e5db7..6ccdb9174c 100644 --- a/l10n/af_ZA/core.po +++ b/l10n/af_ZA/core.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:12+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-22 06:02+0000\n" "Last-Translator: I Robot \n" "Language-Team: Afrikaans (South Africa) (http://www.transifex.com/projects/p/owncloud/language/af_ZA/)\n" "MIME-Version: 1.0\n" @@ -137,59 +137,59 @@ msgstr "" msgid "December" msgstr "" -#: js/js.js:289 +#: js/js.js:293 msgid "Settings" msgstr "Instellings" -#: js/js.js:721 +#: js/js.js:715 msgid "seconds ago" msgstr "" -#: js/js.js:722 +#: js/js.js:716 msgid "1 minute ago" msgstr "" -#: js/js.js:723 +#: js/js.js:717 msgid "{minutes} minutes ago" msgstr "" -#: js/js.js:724 +#: js/js.js:718 msgid "1 hour ago" msgstr "" -#: js/js.js:725 +#: js/js.js:719 msgid "{hours} hours ago" msgstr "" -#: js/js.js:726 +#: js/js.js:720 msgid "today" msgstr "" -#: js/js.js:727 +#: js/js.js:721 msgid "yesterday" msgstr "" -#: js/js.js:728 +#: js/js.js:722 msgid "{days} days ago" msgstr "" -#: js/js.js:729 +#: js/js.js:723 msgid "last month" msgstr "" -#: js/js.js:730 +#: js/js.js:724 msgid "{months} months ago" msgstr "" -#: js/js.js:731 +#: js/js.js:725 msgid "months ago" msgstr "" -#: js/js.js:732 +#: js/js.js:726 msgid "last year" msgstr "" -#: js/js.js:733 +#: js/js.js:727 msgid "years ago" msgstr "" @@ -225,8 +225,8 @@ msgstr "" #: js/oc-vcategories.js:14 js/oc-vcategories.js:80 js/oc-vcategories.js:95 #: js/oc-vcategories.js:110 js/oc-vcategories.js:125 js/oc-vcategories.js:136 #: js/oc-vcategories.js:172 js/oc-vcategories.js:189 js/oc-vcategories.js:195 -#: js/oc-vcategories.js:199 js/share.js:136 js/share.js:143 js/share.js:618 -#: js/share.js:630 +#: js/oc-vcategories.js:199 js/share.js:136 js/share.js:143 js/share.js:625 +#: js/share.js:637 msgid "Error" msgstr "" @@ -246,7 +246,7 @@ msgstr "" msgid "Share" msgstr "" -#: js/share.js:125 js/share.js:658 +#: js/share.js:125 js/share.js:665 msgid "Error while sharing" msgstr "" @@ -266,114 +266,114 @@ msgstr "" msgid "Shared with you by {owner}" msgstr "" -#: js/share.js:172 +#: js/share.js:177 msgid "Share with" msgstr "" -#: js/share.js:177 +#: js/share.js:182 msgid "Share with link" msgstr "" -#: js/share.js:180 +#: js/share.js:185 msgid "Password protect" msgstr "" -#: js/share.js:182 templates/installation.php:54 templates/login.php:26 +#: js/share.js:187 templates/installation.php:54 templates/login.php:26 msgid "Password" msgstr "Wagwoord" -#: js/share.js:186 +#: js/share.js:192 msgid "Allow Public Upload" msgstr "" -#: js/share.js:189 +#: js/share.js:196 msgid "Email link to person" msgstr "" -#: js/share.js:190 +#: js/share.js:197 msgid "Send" msgstr "" -#: js/share.js:195 +#: js/share.js:202 msgid "Set expiration date" msgstr "" -#: js/share.js:196 +#: js/share.js:203 msgid "Expiration date" msgstr "" -#: js/share.js:228 +#: js/share.js:235 msgid "Share via email:" msgstr "" -#: js/share.js:230 +#: js/share.js:237 msgid "No people found" msgstr "" -#: js/share.js:268 +#: js/share.js:275 msgid "Resharing is not allowed" msgstr "" -#: js/share.js:304 +#: js/share.js:311 msgid "Shared in {item} with {user}" msgstr "" -#: js/share.js:325 +#: js/share.js:332 msgid "Unshare" msgstr "" -#: js/share.js:337 +#: js/share.js:344 msgid "can edit" msgstr "" -#: js/share.js:339 +#: js/share.js:346 msgid "access control" msgstr "" -#: js/share.js:342 +#: js/share.js:349 msgid "create" msgstr "" -#: js/share.js:345 +#: js/share.js:352 msgid "update" msgstr "" -#: js/share.js:348 +#: js/share.js:355 msgid "delete" msgstr "" -#: js/share.js:351 +#: js/share.js:358 msgid "share" msgstr "" -#: js/share.js:385 js/share.js:605 +#: js/share.js:392 js/share.js:612 msgid "Password protected" msgstr "" -#: js/share.js:618 +#: js/share.js:625 msgid "Error unsetting expiration date" msgstr "" -#: js/share.js:630 +#: js/share.js:637 msgid "Error setting expiration date" msgstr "" -#: js/share.js:645 +#: js/share.js:652 msgid "Sending ..." msgstr "" -#: js/share.js:656 +#: js/share.js:663 msgid "Email sent" msgstr "" -#: js/update.js:14 +#: js/update.js:17 msgid "" "The update was unsuccessful. Please report this issue to the ownCloud " "community." msgstr "" -#: js/update.js:18 +#: js/update.js:21 msgid "The update was successful. Redirecting you to ownCloud now." msgstr "" @@ -465,7 +465,7 @@ msgstr "" msgid "Cloud not found" msgstr "Wolk nie gevind" -#: templates/altmail.php:2 +#: templates/altmail.php:4 #, php-format msgid "" "Hey there,\n" @@ -476,10 +476,6 @@ msgid "" "Cheers!" msgstr "" -#: templates/altmail.php:7 templates/mail.php:24 -msgid "web services under your control" -msgstr "webdienste onder jou beheer" - #: templates/edit_categories_dialog.php:4 msgid "Edit categories" msgstr "" @@ -611,7 +607,7 @@ msgstr "Teken aan" msgid "Alternative Logins" msgstr "" -#: templates/mail.php:15 +#: templates/mail.php:16 #, php-format msgid "" "Hey there,

    just letting you know that %s shared »%s« with you.
    \n" "Language-Team: Afrikaans (South Africa) (http://www.transifex.com/projects/p/owncloud/language/af_ZA/)\n" "MIME-Version: 1.0\n" @@ -27,54 +27,54 @@ msgstr "" msgid "Could not move %s" msgstr "" -#: ajax/upload.php:16 ajax/upload.php:39 +#: ajax/upload.php:16 ajax/upload.php:45 msgid "Unable to set upload directory." msgstr "" -#: ajax/upload.php:23 +#: ajax/upload.php:22 msgid "Invalid Token" msgstr "" -#: ajax/upload.php:55 +#: ajax/upload.php:59 msgid "No file was uploaded. Unknown error" msgstr "" -#: ajax/upload.php:62 +#: ajax/upload.php:66 msgid "There is no error, the file uploaded with success" msgstr "" -#: ajax/upload.php:63 +#: ajax/upload.php:67 msgid "" "The uploaded file exceeds the upload_max_filesize directive in php.ini: " msgstr "" -#: ajax/upload.php:65 +#: ajax/upload.php:69 msgid "" "The uploaded file exceeds the MAX_FILE_SIZE directive that was specified in " "the HTML form" msgstr "" -#: ajax/upload.php:66 +#: ajax/upload.php:70 msgid "The uploaded file was only partially uploaded" msgstr "" -#: ajax/upload.php:67 +#: ajax/upload.php:71 msgid "No file was uploaded" msgstr "" -#: ajax/upload.php:68 +#: ajax/upload.php:72 msgid "Missing a temporary folder" msgstr "" -#: ajax/upload.php:69 +#: ajax/upload.php:73 msgid "Failed to write to disk" msgstr "" -#: ajax/upload.php:87 +#: ajax/upload.php:91 msgid "Not enough storage available" msgstr "" -#: ajax/upload.php:119 +#: ajax/upload.php:123 msgid "Invalid directory." msgstr "" @@ -128,43 +128,43 @@ msgstr "" msgid "Rename" msgstr "" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:464 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:465 msgid "Pending" msgstr "" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "{new_name} already exists" msgstr "" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "replace" msgstr "" -#: js/filelist.js:302 +#: js/filelist.js:303 msgid "suggest name" msgstr "" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "cancel" msgstr "" -#: js/filelist.js:349 +#: js/filelist.js:350 msgid "replaced {new_name} with {old_name}" msgstr "" -#: js/filelist.js:349 +#: js/filelist.js:350 msgid "undo" msgstr "" -#: js/filelist.js:374 +#: js/filelist.js:375 msgid "perform delete operation" msgstr "" -#: js/filelist.js:456 +#: js/filelist.js:457 msgid "1 file uploading" msgstr "" -#: js/filelist.js:459 js/filelist.js:517 +#: js/filelist.js:460 js/filelist.js:518 msgid "files uploading" msgstr "" @@ -212,19 +212,19 @@ msgstr "" msgid "Modified" msgstr "" -#: js/files.js:765 +#: js/files.js:763 msgid "1 folder" msgstr "" -#: js/files.js:767 +#: js/files.js:765 msgid "{count} folders" msgstr "" -#: js/files.js:775 +#: js/files.js:773 msgid "1 file" msgstr "" -#: js/files.js:777 +#: js/files.js:775 msgid "{count} files" msgstr "" @@ -327,19 +327,19 @@ msgstr "" msgid "Current scanning" msgstr "" -#: templates/part.list.php:78 +#: templates/part.list.php:74 msgid "directory" msgstr "" -#: templates/part.list.php:80 +#: templates/part.list.php:76 msgid "directories" msgstr "" -#: templates/part.list.php:89 +#: templates/part.list.php:85 msgid "file" msgstr "" -#: templates/part.list.php:91 +#: templates/part.list.php:87 msgid "files" msgstr "" diff --git a/l10n/af_ZA/lib.po b/l10n/af_ZA/lib.po index dc43f20e15..e89d30f408 100644 --- a/l10n/af_ZA/lib.po +++ b/l10n/af_ZA/lib.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:13+0000\n" +"POT-Creation-Date: 2013-07-24 01:55-0400\n" +"PO-Revision-Date: 2013-07-24 05:55+0000\n" "Last-Translator: I Robot \n" "Language-Team: Afrikaans (South Africa) (http://www.transifex.com/projects/p/owncloud/language/af_ZA/)\n" "MIME-Version: 1.0\n" @@ -41,27 +41,43 @@ msgstr "Toepassings" msgid "Admin" msgstr "Admin" -#: defaults.php:33 -msgid "web services under your control" +#: app.php:844 +#, php-format +msgid "Failed to upgrade \"%s\"." msgstr "" -#: files.php:210 +#: defaults.php:33 +msgid "web services under your control" +msgstr "webdienste onder jou beheer" + +#: files.php:66 files.php:98 +#, php-format +msgid "cannot open \"%s\"" +msgstr "" + +#: files.php:226 msgid "ZIP download is turned off." msgstr "" -#: files.php:211 +#: files.php:227 msgid "Files need to be downloaded one by one." msgstr "" -#: files.php:212 files.php:245 +#: files.php:228 files.php:256 msgid "Back to Files" msgstr "" -#: files.php:242 +#: files.php:253 msgid "Selected files too large to generate zip file." msgstr "" -#: helper.php:236 +#: files.php:254 +msgid "" +"Download the files in smaller chunks, seperately or kindly ask your " +"administrator." +msgstr "" + +#: helper.php:235 msgid "couldn't be determined" msgstr "" @@ -170,77 +186,81 @@ msgstr "" msgid "PostgreSQL username and/or password not valid" msgstr "" -#: setup.php:42 +#: setup.php:28 msgid "Set an admin username." msgstr "" -#: setup.php:45 +#: setup.php:31 msgid "Set an admin password." msgstr "" -#: setup.php:198 +#: setup.php:184 msgid "" "Your web server is not yet properly setup to allow files synchronization " "because the WebDAV interface seems to be broken." msgstr "" -#: setup.php:199 +#: setup.php:185 #, php-format msgid "Please double check the installation guides." msgstr "" -#: template.php:113 +#: template/functions.php:80 msgid "seconds ago" msgstr "" -#: template.php:114 +#: template/functions.php:81 msgid "1 minute ago" msgstr "" -#: template.php:115 +#: template/functions.php:82 #, php-format msgid "%d minutes ago" msgstr "" -#: template.php:116 +#: template/functions.php:83 msgid "1 hour ago" msgstr "" -#: template.php:117 +#: template/functions.php:84 #, php-format msgid "%d hours ago" msgstr "" -#: template.php:118 +#: template/functions.php:85 msgid "today" msgstr "" -#: template.php:119 +#: template/functions.php:86 msgid "yesterday" msgstr "" -#: template.php:120 +#: template/functions.php:87 #, php-format msgid "%d days ago" msgstr "" -#: template.php:121 +#: template/functions.php:88 msgid "last month" msgstr "" -#: template.php:122 +#: template/functions.php:89 #, php-format msgid "%d months ago" msgstr "" -#: template.php:123 +#: template/functions.php:90 msgid "last year" msgstr "" -#: template.php:124 +#: template/functions.php:91 msgid "years ago" msgstr "" +#: template.php:296 +msgid "Caused by:" +msgstr "" + #: vcategories.php:188 vcategories.php:249 #, php-format msgid "Could not find category \"%s\"" diff --git a/l10n/af_ZA/settings.po b/l10n/af_ZA/settings.po index 84ae6917bc..d258f18275 100644 --- a/l10n/af_ZA/settings.po +++ b/l10n/af_ZA/settings.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-06-23 01:59+0200\n" -"PO-Revision-Date: 2013-06-22 10:24+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:55+0000\n" "Last-Translator: I Robot \n" "Language-Team: Afrikaans (South Africa) (http://www.transifex.com/projects/p/owncloud/language/af_ZA/)\n" "MIME-Version: 1.0\n" @@ -88,35 +88,35 @@ msgstr "" msgid "Couldn't update app." msgstr "" -#: js/apps.js:30 +#: js/apps.js:35 msgid "Update to {appversion}" msgstr "" -#: js/apps.js:36 js/apps.js:76 +#: js/apps.js:41 js/apps.js:81 msgid "Disable" msgstr "" -#: js/apps.js:36 js/apps.js:64 js/apps.js:83 +#: js/apps.js:41 js/apps.js:69 js/apps.js:88 msgid "Enable" msgstr "" -#: js/apps.js:55 +#: js/apps.js:60 msgid "Please wait...." msgstr "" -#: js/apps.js:59 js/apps.js:71 js/apps.js:80 js/apps.js:93 +#: js/apps.js:64 js/apps.js:76 js/apps.js:85 js/apps.js:98 msgid "Error" msgstr "" -#: js/apps.js:90 +#: js/apps.js:95 msgid "Updating...." msgstr "" -#: js/apps.js:93 +#: js/apps.js:98 msgid "Error while updating app" msgstr "" -#: js/apps.js:96 +#: js/apps.js:101 msgid "Updated" msgstr "" @@ -165,15 +165,15 @@ msgstr "" msgid "A valid password must be provided" msgstr "" -#: personal.php:35 personal.php:36 +#: personal.php:37 personal.php:38 msgid "__language_name__" msgstr "" -#: templates/admin.php:15 +#: templates/admin.php:17 msgid "Security Warning" msgstr "" -#: templates/admin.php:18 +#: templates/admin.php:20 msgid "" "Your data directory and your files are probably accessible from the " "internet. The .htaccess file that ownCloud provides is not working. We " @@ -182,36 +182,36 @@ msgid "" " webserver document root." msgstr "" -#: templates/admin.php:29 +#: templates/admin.php:31 msgid "Setup Warning" msgstr "" -#: templates/admin.php:32 +#: templates/admin.php:34 msgid "" "Your web server is not yet properly setup to allow files synchronization " "because the WebDAV interface seems to be broken." msgstr "" -#: templates/admin.php:33 +#: templates/admin.php:35 #, php-format msgid "Please double check the installation guides." msgstr "" -#: templates/admin.php:44 +#: templates/admin.php:46 msgid "Module 'fileinfo' missing" msgstr "" -#: templates/admin.php:47 +#: templates/admin.php:49 msgid "" "The PHP module 'fileinfo' is missing. We strongly recommend to enable this " "module to get best results with mime-type detection." msgstr "" -#: templates/admin.php:58 +#: templates/admin.php:60 msgid "Locale not working" msgstr "" -#: templates/admin.php:63 +#: templates/admin.php:65 #, php-format msgid "" "This ownCloud server can't set system locale to %s. This means that there " @@ -219,11 +219,11 @@ msgid "" " to install the required packages on your system to support %s." msgstr "" -#: templates/admin.php:75 +#: templates/admin.php:77 msgid "Internet connection not working" msgstr "" -#: templates/admin.php:78 +#: templates/admin.php:80 msgid "" "This ownCloud server has no working internet connection. This means that " "some of the features like mounting of external storage, notifications about " @@ -233,102 +233,111 @@ msgid "" " of ownCloud." msgstr "" -#: templates/admin.php:92 +#: templates/admin.php:94 msgid "Cron" msgstr "" -#: templates/admin.php:101 +#: templates/admin.php:103 msgid "Execute one task with each page loaded" msgstr "" -#: templates/admin.php:111 +#: templates/admin.php:113 msgid "" "cron.php is registered at a webcron service. Call the cron.php page in the " "owncloud root once a minute over http." msgstr "" -#: templates/admin.php:121 +#: templates/admin.php:123 msgid "" "Use systems cron service. Call the cron.php file in the owncloud folder via " "a system cronjob once a minute." msgstr "" -#: templates/admin.php:128 +#: templates/admin.php:130 msgid "Sharing" msgstr "" -#: templates/admin.php:134 +#: templates/admin.php:136 msgid "Enable Share API" msgstr "" -#: templates/admin.php:135 +#: templates/admin.php:137 msgid "Allow apps to use the Share API" msgstr "" -#: templates/admin.php:142 +#: templates/admin.php:144 msgid "Allow links" msgstr "" -#: templates/admin.php:143 +#: templates/admin.php:145 msgid "Allow users to share items to the public with links" msgstr "" -#: templates/admin.php:150 +#: templates/admin.php:153 +msgid "Allow public uploads" +msgstr "" + +#: templates/admin.php:154 +msgid "" +"Allow users to enable others to upload into their publicly shared folders" +msgstr "" + +#: templates/admin.php:162 msgid "Allow resharing" msgstr "" -#: templates/admin.php:151 +#: templates/admin.php:163 msgid "Allow users to share items shared with them again" msgstr "" -#: templates/admin.php:158 +#: templates/admin.php:170 msgid "Allow users to share with anyone" msgstr "" -#: templates/admin.php:161 +#: templates/admin.php:173 msgid "Allow users to only share with users in their groups" msgstr "" -#: templates/admin.php:168 +#: templates/admin.php:180 msgid "Security" msgstr "" -#: templates/admin.php:181 +#: templates/admin.php:193 msgid "Enforce HTTPS" msgstr "" -#: templates/admin.php:182 +#: templates/admin.php:194 msgid "" "Enforces the clients to connect to ownCloud via an encrypted connection." msgstr "" -#: templates/admin.php:185 +#: templates/admin.php:197 msgid "" "Please connect to this ownCloud instance via HTTPS to enable or disable the " "SSL enforcement." msgstr "" -#: templates/admin.php:195 +#: templates/admin.php:207 msgid "Log" msgstr "" -#: templates/admin.php:196 +#: templates/admin.php:208 msgid "Log level" msgstr "" -#: templates/admin.php:227 +#: templates/admin.php:239 msgid "More" msgstr "" -#: templates/admin.php:228 +#: templates/admin.php:240 msgid "Less" msgstr "" -#: templates/admin.php:235 templates/personal.php:116 +#: templates/admin.php:246 templates/personal.php:116 msgid "Version" msgstr "" -#: templates/admin.php:237 templates/personal.php:119 +#: templates/admin.php:250 templates/personal.php:119 msgid "" "Developed by the ownCloud community, the %s of the available %s" msgstr "" -#: templates/personal.php:40 templates/users.php:23 templates/users.php:86 +#: templates/personal.php:41 templates/users.php:23 templates/users.php:86 msgid "Password" msgstr "Wagwoord" -#: templates/personal.php:41 +#: templates/personal.php:42 msgid "Your password was changed" msgstr "" -#: templates/personal.php:42 +#: templates/personal.php:43 msgid "Unable to change your password" msgstr "" -#: templates/personal.php:43 +#: templates/personal.php:44 msgid "Current password" msgstr "" -#: templates/personal.php:45 +#: templates/personal.php:46 msgid "New password" msgstr "Nuwe wagwoord" -#: templates/personal.php:47 +#: templates/personal.php:48 msgid "Change password" msgstr "" -#: templates/personal.php:59 templates/users.php:85 +#: templates/personal.php:60 templates/users.php:85 msgid "Display Name" msgstr "" -#: templates/personal.php:74 +#: templates/personal.php:75 msgid "Email" msgstr "" -#: templates/personal.php:76 +#: templates/personal.php:77 msgid "Your email address" msgstr "" -#: templates/personal.php:77 +#: templates/personal.php:78 msgid "Fill in an email address to enable password recovery" msgstr "" -#: templates/personal.php:86 templates/personal.php:87 +#: templates/personal.php:87 templates/personal.php:88 msgid "Language" msgstr "" -#: templates/personal.php:99 +#: templates/personal.php:100 msgid "Help translate" msgstr "" -#: templates/personal.php:105 +#: templates/personal.php:106 msgid "WebDAV" msgstr "" -#: templates/personal.php:107 -msgid "Use this address to connect to your ownCloud in your file manager" +#: templates/personal.php:108 +#, php-format +msgid "" +"Use this address to access your Files via WebDAV" msgstr "" #: templates/users.php:21 diff --git a/l10n/ar/core.po b/l10n/ar/core.po index 5f270eee1c..698b2bc779 100644 --- a/l10n/ar/core.po +++ b/l10n/ar/core.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:12+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:04+0000\n" "Last-Translator: I Robot \n" "Language-Team: Arabic (http://www.transifex.com/projects/p/owncloud/language/ar/)\n" "MIME-Version: 1.0\n" @@ -137,59 +137,59 @@ msgstr "تشرين الثاني" msgid "December" msgstr "كانون الاول" -#: js/js.js:289 +#: js/js.js:293 msgid "Settings" msgstr "إعدادات" -#: js/js.js:721 +#: js/js.js:715 msgid "seconds ago" msgstr "منذ ثواني" -#: js/js.js:722 +#: js/js.js:716 msgid "1 minute ago" msgstr "منذ دقيقة" -#: js/js.js:723 +#: js/js.js:717 msgid "{minutes} minutes ago" msgstr "{minutes} منذ دقائق" -#: js/js.js:724 +#: js/js.js:718 msgid "1 hour ago" msgstr "قبل ساعة مضت" -#: js/js.js:725 +#: js/js.js:719 msgid "{hours} hours ago" msgstr "{hours} ساعة مضت" -#: js/js.js:726 +#: js/js.js:720 msgid "today" msgstr "اليوم" -#: js/js.js:727 +#: js/js.js:721 msgid "yesterday" msgstr "يوم أمس" -#: js/js.js:728 +#: js/js.js:722 msgid "{days} days ago" msgstr "{days} يوم سابق" -#: js/js.js:729 +#: js/js.js:723 msgid "last month" msgstr "الشهر الماضي" -#: js/js.js:730 +#: js/js.js:724 msgid "{months} months ago" msgstr "{months} شهر مضت" -#: js/js.js:731 +#: js/js.js:725 msgid "months ago" msgstr "شهر مضى" -#: js/js.js:732 +#: js/js.js:726 msgid "last year" msgstr "السنةالماضية" -#: js/js.js:733 +#: js/js.js:727 msgid "years ago" msgstr "سنة مضت" @@ -225,8 +225,8 @@ msgstr "نوع العنصر غير محدد." #: js/oc-vcategories.js:14 js/oc-vcategories.js:80 js/oc-vcategories.js:95 #: js/oc-vcategories.js:110 js/oc-vcategories.js:125 js/oc-vcategories.js:136 #: js/oc-vcategories.js:172 js/oc-vcategories.js:189 js/oc-vcategories.js:195 -#: js/oc-vcategories.js:199 js/share.js:136 js/share.js:143 js/share.js:618 -#: js/share.js:630 +#: js/oc-vcategories.js:199 js/share.js:136 js/share.js:143 js/share.js:625 +#: js/share.js:637 msgid "Error" msgstr "خطأ" @@ -246,7 +246,7 @@ msgstr "مشارك" msgid "Share" msgstr "شارك" -#: js/share.js:125 js/share.js:658 +#: js/share.js:125 js/share.js:665 msgid "Error while sharing" msgstr "حصل خطأ عند عملية المشاركة" @@ -266,114 +266,114 @@ msgstr "شورك معك ومع المجموعة {group} من قبل {owner}" msgid "Shared with you by {owner}" msgstr "شورك معك من قبل {owner}" -#: js/share.js:172 +#: js/share.js:177 msgid "Share with" msgstr "شارك مع" -#: js/share.js:177 +#: js/share.js:182 msgid "Share with link" msgstr "شارك مع رابط" -#: js/share.js:180 +#: js/share.js:185 msgid "Password protect" msgstr "حماية كلمة السر" -#: js/share.js:182 templates/installation.php:54 templates/login.php:26 +#: js/share.js:187 templates/installation.php:54 templates/login.php:26 msgid "Password" msgstr "كلمة المرور" -#: js/share.js:186 +#: js/share.js:192 msgid "Allow Public Upload" msgstr "" -#: js/share.js:189 +#: js/share.js:196 msgid "Email link to person" msgstr "ارسل الرابط بالبريد الى صديق" -#: js/share.js:190 +#: js/share.js:197 msgid "Send" msgstr "أرسل" -#: js/share.js:195 +#: js/share.js:202 msgid "Set expiration date" msgstr "تعيين تاريخ إنتهاء الصلاحية" -#: js/share.js:196 +#: js/share.js:203 msgid "Expiration date" msgstr "تاريخ إنتهاء الصلاحية" -#: js/share.js:228 +#: js/share.js:235 msgid "Share via email:" msgstr "مشاركة عبر البريد الإلكتروني:" -#: js/share.js:230 +#: js/share.js:237 msgid "No people found" msgstr "لم يتم العثور على أي شخص" -#: js/share.js:268 +#: js/share.js:275 msgid "Resharing is not allowed" msgstr "لا يسمح بعملية إعادة المشاركة" -#: js/share.js:304 +#: js/share.js:311 msgid "Shared in {item} with {user}" msgstr "شورك في {item} مع {user}" -#: js/share.js:325 +#: js/share.js:332 msgid "Unshare" msgstr "إلغاء مشاركة" -#: js/share.js:337 +#: js/share.js:344 msgid "can edit" msgstr "التحرير مسموح" -#: js/share.js:339 +#: js/share.js:346 msgid "access control" msgstr "ضبط الوصول" -#: js/share.js:342 +#: js/share.js:349 msgid "create" msgstr "إنشاء" -#: js/share.js:345 +#: js/share.js:352 msgid "update" msgstr "تحديث" -#: js/share.js:348 +#: js/share.js:355 msgid "delete" msgstr "حذف" -#: js/share.js:351 +#: js/share.js:358 msgid "share" msgstr "مشاركة" -#: js/share.js:385 js/share.js:605 +#: js/share.js:392 js/share.js:612 msgid "Password protected" msgstr "محمي بكلمة السر" -#: js/share.js:618 +#: js/share.js:625 msgid "Error unsetting expiration date" msgstr "حصل خطأ عند عملية إزالة تاريخ إنتهاء الصلاحية" -#: js/share.js:630 +#: js/share.js:637 msgid "Error setting expiration date" msgstr "حصل خطأ عند عملية تعيين تاريخ إنتهاء الصلاحية" -#: js/share.js:645 +#: js/share.js:652 msgid "Sending ..." msgstr "جاري الارسال ..." -#: js/share.js:656 +#: js/share.js:663 msgid "Email sent" msgstr "تم ارسال البريد الالكتروني" -#: js/update.js:14 +#: js/update.js:17 msgid "" "The update was unsuccessful. Please report this issue to the ownCloud " "community." msgstr "حصل خطأ في عملية التحديث, يرجى ارسال تقرير بهذه المشكلة الى ownCloud community." -#: js/update.js:18 +#: js/update.js:21 msgid "The update was successful. Redirecting you to ownCloud now." msgstr "تم التحديث بنجاح , يتم اعادة توجيهك الان الى Owncloud" @@ -465,7 +465,7 @@ msgstr "التوصّل محظور" msgid "Cloud not found" msgstr "لم يتم إيجاد" -#: templates/altmail.php:2 +#: templates/altmail.php:4 #, php-format msgid "" "Hey there,\n" @@ -476,10 +476,6 @@ msgid "" "Cheers!" msgstr "" -#: templates/altmail.php:7 templates/mail.php:24 -msgid "web services under your control" -msgstr "خدمات الشبكة تحت سيطرتك" - #: templates/edit_categories_dialog.php:4 msgid "Edit categories" msgstr "عدل الفئات" @@ -611,7 +607,7 @@ msgstr "أدخل" msgid "Alternative Logins" msgstr "اسماء دخول بديلة" -#: templates/mail.php:15 +#: templates/mail.php:16 #, php-format msgid "" "Hey there,

    just letting you know that %s shared »%s« with you.
    \n" "Language-Team: Arabic (http://www.transifex.com/projects/p/owncloud/language/ar/)\n" "MIME-Version: 1.0\n" @@ -27,54 +27,54 @@ msgstr "فشل في نقل الملف %s - يوجد ملف بنفس هذا ال msgid "Could not move %s" msgstr "فشل في نقل %s" -#: ajax/upload.php:16 ajax/upload.php:39 +#: ajax/upload.php:16 ajax/upload.php:45 msgid "Unable to set upload directory." msgstr "" -#: ajax/upload.php:23 +#: ajax/upload.php:22 msgid "Invalid Token" msgstr "" -#: ajax/upload.php:55 +#: ajax/upload.php:59 msgid "No file was uploaded. Unknown error" msgstr "لم يتم رفع أي ملف , خطأ غير معروف" -#: ajax/upload.php:62 +#: ajax/upload.php:66 msgid "There is no error, the file uploaded with success" msgstr "تم ترفيع الملفات بنجاح." -#: ajax/upload.php:63 +#: ajax/upload.php:67 msgid "" "The uploaded file exceeds the upload_max_filesize directive in php.ini: " msgstr "حجم الملف المرفوع تجاوز قيمة upload_max_filesize الموجودة في ملف php.ini " -#: ajax/upload.php:65 +#: ajax/upload.php:69 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:66 +#: ajax/upload.php:70 msgid "The uploaded file was only partially uploaded" msgstr "تم ترفيع جزء من الملفات الذي تريد ترفيعها فقط" -#: ajax/upload.php:67 +#: ajax/upload.php:71 msgid "No file was uploaded" msgstr "لم يتم ترفيع أي من الملفات" -#: ajax/upload.php:68 +#: ajax/upload.php:72 msgid "Missing a temporary folder" msgstr "المجلد المؤقت غير موجود" -#: ajax/upload.php:69 +#: ajax/upload.php:73 msgid "Failed to write to disk" msgstr "خطأ في الكتابة على القرص الصلب" -#: ajax/upload.php:87 +#: ajax/upload.php:91 msgid "Not enough storage available" msgstr "لا يوجد مساحة تخزينية كافية" -#: ajax/upload.php:119 +#: ajax/upload.php:123 msgid "Invalid directory." msgstr "مسار غير صحيح." @@ -128,43 +128,43 @@ msgstr "إلغاء" msgid "Rename" msgstr "إعادة تسميه" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:464 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:465 msgid "Pending" msgstr "قيد الانتظار" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "{new_name} already exists" msgstr "{new_name} موجود مسبقا" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "replace" msgstr "استبدال" -#: js/filelist.js:302 +#: js/filelist.js:303 msgid "suggest name" msgstr "اقترح إسم" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "cancel" msgstr "إلغاء" -#: js/filelist.js:349 +#: js/filelist.js:350 msgid "replaced {new_name} with {old_name}" msgstr "استبدل {new_name} بـ {old_name}" -#: js/filelist.js:349 +#: js/filelist.js:350 msgid "undo" msgstr "تراجع" -#: js/filelist.js:374 +#: js/filelist.js:375 msgid "perform delete operation" msgstr "جاري تنفيذ عملية الحذف" -#: js/filelist.js:456 +#: js/filelist.js:457 msgid "1 file uploading" msgstr "جاري رفع 1 ملف" -#: js/filelist.js:459 js/filelist.js:517 +#: js/filelist.js:460 js/filelist.js:518 msgid "files uploading" msgstr "" @@ -212,19 +212,19 @@ msgstr "حجم" msgid "Modified" msgstr "معدل" -#: js/files.js:765 +#: js/files.js:763 msgid "1 folder" msgstr "مجلد عدد 1" -#: js/files.js:767 +#: js/files.js:765 msgid "{count} folders" msgstr "{count} مجلدات" -#: js/files.js:775 +#: js/files.js:773 msgid "1 file" msgstr "ملف واحد" -#: js/files.js:777 +#: js/files.js:775 msgid "{count} files" msgstr "{count} ملفات" @@ -327,19 +327,19 @@ msgstr "يرجى الانتظار , جاري فحص الملفات ." msgid "Current scanning" msgstr "الفحص الحالي" -#: templates/part.list.php:78 +#: templates/part.list.php:74 msgid "directory" msgstr "" -#: templates/part.list.php:80 +#: templates/part.list.php:76 msgid "directories" msgstr "" -#: templates/part.list.php:89 +#: templates/part.list.php:85 msgid "file" msgstr "" -#: templates/part.list.php:91 +#: templates/part.list.php:87 msgid "files" msgstr "" diff --git a/l10n/ar/files_external.po b/l10n/ar/files_external.po index acd67b816b..598bb2d827 100644 --- a/l10n/ar/files_external.po +++ b/l10n/ar/files_external.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: I Robot \n" "Language-Team: Arabic (http://www.transifex.com/projects/p/owncloud/language/ar/)\n" "MIME-Version: 1.0\n" @@ -37,20 +37,20 @@ msgstr "" msgid "Error configuring Google Drive storage" msgstr "" -#: lib/config.php:431 +#: lib/config.php:447 msgid "" "Warning: \"smbclient\" is not installed. Mounting of CIFS/SMB shares " "is not possible. Please ask your system administrator to install it." msgstr "" -#: lib/config.php:434 +#: lib/config.php:450 msgid "" "Warning: The FTP support in PHP is not enabled or installed. Mounting" " of FTP shares is not possible. Please ask your system administrator to " "install it." msgstr "" -#: lib/config.php:437 +#: lib/config.php:453 msgid "" "Warning: The Curl support in PHP is not enabled or installed. " "Mounting of ownCloud / WebDAV or GoogleDrive is not possible. Please ask " diff --git a/l10n/ar/files_sharing.po b/l10n/ar/files_sharing.po index 3bfa13436f..d29eee8ffa 100644 --- a/l10n/ar/files_sharing.po +++ b/l10n/ar/files_sharing.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:13+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: I Robot \n" "Language-Team: Arabic (http://www.transifex.com/projects/p/owncloud/language/ar/)\n" "MIME-Version: 1.0\n" @@ -39,18 +39,18 @@ msgstr "%s شارك المجلد %s معك" msgid "%s shared the file %s with you" msgstr "%s شارك الملف %s معك" -#: templates/public.php:28 templates/public.php:86 +#: templates/public.php:28 templates/public.php:90 msgid "Download" msgstr "تحميل" -#: templates/public.php:44 +#: templates/public.php:45 templates/public.php:48 msgid "Upload" msgstr "رفع" -#: templates/public.php:54 +#: templates/public.php:58 msgid "Cancel upload" msgstr "إلغاء رفع الملفات" -#: templates/public.php:83 +#: templates/public.php:87 msgid "No preview available for" msgstr "لا يوجد عرض مسبق لـ" diff --git a/l10n/ar/files_trashbin.po b/l10n/ar/files_trashbin.po index 7c234b5e27..99b8ec187f 100644 --- a/l10n/ar/files_trashbin.po +++ b/l10n/ar/files_trashbin.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: I Robot \n" "Language-Team: Arabic (http://www.transifex.com/projects/p/owncloud/language/ar/)\n" "MIME-Version: 1.0\n" diff --git a/l10n/ar/lib.po b/l10n/ar/lib.po index 8af48217de..e1901ce0fe 100644 --- a/l10n/ar/lib.po +++ b/l10n/ar/lib.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:13+0000\n" +"POT-Creation-Date: 2013-07-24 01:55-0400\n" +"PO-Revision-Date: 2013-07-24 05:55+0000\n" "Last-Translator: I Robot \n" "Language-Team: Arabic (http://www.transifex.com/projects/p/owncloud/language/ar/)\n" "MIME-Version: 1.0\n" @@ -41,27 +41,43 @@ msgstr "التطبيقات" msgid "Admin" msgstr "المدير" -#: defaults.php:33 -msgid "web services under your control" +#: app.php:844 +#, php-format +msgid "Failed to upgrade \"%s\"." msgstr "" -#: files.php:210 +#: defaults.php:33 +msgid "web services under your control" +msgstr "خدمات الشبكة تحت سيطرتك" + +#: files.php:66 files.php:98 +#, php-format +msgid "cannot open \"%s\"" +msgstr "" + +#: files.php:226 msgid "ZIP download is turned off." msgstr "تحميل ملفات ZIP متوقف" -#: files.php:211 +#: files.php:227 msgid "Files need to be downloaded one by one." msgstr "الملفات بحاجة الى ان يتم تحميلها واحد تلو الاخر" -#: files.php:212 files.php:245 +#: files.php:228 files.php:256 msgid "Back to Files" msgstr "العودة الى الملفات" -#: files.php:242 +#: files.php:253 msgid "Selected files too large to generate zip file." msgstr "الملفات المحددة كبيرة جدا ليتم ضغطها في ملف zip" -#: helper.php:236 +#: files.php:254 +msgid "" +"Download the files in smaller chunks, seperately or kindly ask your " +"administrator." +msgstr "" + +#: helper.php:235 msgid "couldn't be determined" msgstr "تعذّر تحديده" @@ -170,77 +186,81 @@ msgstr "الأمر المخالف كان : \"%s\", اسم المستخدم : %s, msgid "PostgreSQL username and/or password not valid" msgstr "اسم المستخدم / أو كلمة المرور الخاصة بـPostgreSQL غير صحيحة" -#: setup.php:42 +#: setup.php:28 msgid "Set an admin username." msgstr "اعداد اسم مستخدم للمدير" -#: setup.php:45 +#: setup.php:31 msgid "Set an admin password." msgstr "اعداد كلمة مرور للمدير" -#: setup.php:198 +#: setup.php:184 msgid "" "Your web server is not yet properly setup to allow files synchronization " "because the WebDAV interface seems to be broken." msgstr "اعدادات خادمك غير صحيحة بشكل تسمح لك بمزامنة ملفاتك وذلك بسبب أن واجهة WebDAV تبدو معطلة" -#: setup.php:199 +#: setup.php:185 #, php-format msgid "Please double check the installation guides." msgstr "الرجاء التحقق من دليل التنصيب." -#: template.php:113 +#: template/functions.php:80 msgid "seconds ago" msgstr "منذ ثواني" -#: template.php:114 +#: template/functions.php:81 msgid "1 minute ago" msgstr "منذ دقيقة" -#: template.php:115 +#: template/functions.php:82 #, php-format msgid "%d minutes ago" msgstr "%d دقيقة مضت" -#: template.php:116 +#: template/functions.php:83 msgid "1 hour ago" msgstr "قبل ساعة مضت" -#: template.php:117 +#: template/functions.php:84 #, php-format msgid "%d hours ago" msgstr "%d ساعة مضت" -#: template.php:118 +#: template/functions.php:85 msgid "today" msgstr "اليوم" -#: template.php:119 +#: template/functions.php:86 msgid "yesterday" msgstr "يوم أمس" -#: template.php:120 +#: template/functions.php:87 #, php-format msgid "%d days ago" msgstr "%d يوم مضى" -#: template.php:121 +#: template/functions.php:88 msgid "last month" msgstr "الشهر الماضي" -#: template.php:122 +#: template/functions.php:89 #, php-format msgid "%d months ago" msgstr "%d شهر مضت" -#: template.php:123 +#: template/functions.php:90 msgid "last year" msgstr "السنةالماضية" -#: template.php:124 +#: template/functions.php:91 msgid "years ago" msgstr "سنة مضت" +#: template.php:296 +msgid "Caused by:" +msgstr "" + #: vcategories.php:188 vcategories.php:249 #, php-format msgid "Could not find category \"%s\"" diff --git a/l10n/ar/settings.po b/l10n/ar/settings.po index ccb9e98dc7..9db344d890 100644 --- a/l10n/ar/settings.po +++ b/l10n/ar/settings.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:55+0000\n" "Last-Translator: I Robot \n" "Language-Team: Arabic (http://www.transifex.com/projects/p/owncloud/language/ar/)\n" "MIME-Version: 1.0\n" @@ -273,62 +273,71 @@ msgstr "السماح بالعناوين" msgid "Allow users to share items to the public with links" msgstr "السماح للمستعملين بمشاركة البنود للعموم عن طريق الروابط " -#: templates/admin.php:152 +#: templates/admin.php:153 +msgid "Allow public uploads" +msgstr "" + +#: templates/admin.php:154 +msgid "" +"Allow users to enable others to upload into their publicly shared folders" +msgstr "" + +#: templates/admin.php:162 msgid "Allow resharing" msgstr "السماح بإعادة المشاركة " -#: templates/admin.php:153 +#: templates/admin.php:163 msgid "Allow users to share items shared with them again" msgstr "السماح للمستخدمين باعادة مشاركة الملفات التي تم مشاركتها معهم" -#: templates/admin.php:160 +#: templates/admin.php:170 msgid "Allow users to share with anyone" msgstr "السماح للمستعملين بإعادة المشاركة مع أي أحد " -#: templates/admin.php:163 +#: templates/admin.php:173 msgid "Allow users to only share with users in their groups" msgstr "السماح للمستعمينٍ لإعادة المشاركة فقط مع المستعملين في مجموعاتهم" -#: templates/admin.php:170 +#: templates/admin.php:180 msgid "Security" msgstr "حماية" -#: templates/admin.php:183 +#: templates/admin.php:193 msgid "Enforce HTTPS" msgstr "فرض HTTPS" -#: templates/admin.php:184 +#: templates/admin.php:194 msgid "" "Enforces the clients to connect to ownCloud via an encrypted connection." msgstr "اجبار المستخدم بالاتصال مع Owncloud عن طريق اتصال مشفر" -#: templates/admin.php:187 +#: templates/admin.php:197 msgid "" "Please connect to this ownCloud instance via HTTPS to enable or disable the " "SSL enforcement." msgstr "الرجاء الاتصال مع خادم Owncloud هذا عن طريق HTTPS لتفعيل أو تعطيل اجبار الدخول باستخدام " -#: templates/admin.php:197 +#: templates/admin.php:207 msgid "Log" msgstr "سجل" -#: templates/admin.php:198 +#: templates/admin.php:208 msgid "Log level" msgstr "مستوى السجل" -#: templates/admin.php:229 +#: templates/admin.php:239 msgid "More" msgstr "المزيد" -#: templates/admin.php:230 +#: templates/admin.php:240 msgid "Less" msgstr "أقل" -#: templates/admin.php:236 templates/personal.php:116 +#: templates/admin.php:246 templates/personal.php:116 msgid "Version" msgstr "إصدار" -#: templates/admin.php:240 templates/personal.php:119 +#: templates/admin.php:250 templates/personal.php:119 msgid "" "Developed by the ownCloud community, the access your Files via WebDAV" +msgstr "" #: templates/users.php:21 msgid "Login Name" diff --git a/l10n/ar/user_ldap.po b/l10n/ar/user_ldap.po index d0266647f5..5aa4c8a615 100644 --- a/l10n/ar/user_ldap.po +++ b/l10n/ar/user_ldap.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: I Robot \n" "Language-Team: Arabic (http://www.transifex.com/projects/p/owncloud/language/ar/)\n" "MIME-Version: 1.0\n" diff --git a/l10n/be/core.po b/l10n/be/core.po index cf69cc48b4..c829cb46e4 100644 --- a/l10n/be/core.po +++ b/l10n/be/core.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-06-29 02:03+0200\n" -"PO-Revision-Date: 2013-06-29 00:03+0000\n" +"POT-Creation-Date: 2013-07-06 02:02+0200\n" +"PO-Revision-Date: 2013-07-06 00:02+0000\n" "Last-Translator: I Robot \n" "Language-Team: Belarusian (http://www.transifex.com/projects/p/owncloud/language/be/)\n" "MIME-Version: 1.0\n" @@ -225,8 +225,8 @@ msgstr "" #: js/oc-vcategories.js:14 js/oc-vcategories.js:80 js/oc-vcategories.js:95 #: js/oc-vcategories.js:110 js/oc-vcategories.js:125 js/oc-vcategories.js:136 #: js/oc-vcategories.js:172 js/oc-vcategories.js:189 js/oc-vcategories.js:195 -#: js/oc-vcategories.js:199 js/share.js:136 js/share.js:143 js/share.js:618 -#: js/share.js:630 +#: js/oc-vcategories.js:199 js/share.js:136 js/share.js:143 js/share.js:620 +#: js/share.js:632 msgid "Error" msgstr "" @@ -246,7 +246,7 @@ msgstr "" msgid "Share" msgstr "" -#: js/share.js:125 js/share.js:658 +#: js/share.js:125 js/share.js:660 msgid "Error while sharing" msgstr "" @@ -282,87 +282,87 @@ msgstr "" msgid "Password" msgstr "" -#: js/share.js:186 +#: js/share.js:187 msgid "Allow Public Upload" msgstr "" -#: js/share.js:189 +#: js/share.js:191 msgid "Email link to person" msgstr "" -#: js/share.js:190 +#: js/share.js:192 msgid "Send" msgstr "" -#: js/share.js:195 +#: js/share.js:197 msgid "Set expiration date" msgstr "" -#: js/share.js:196 +#: js/share.js:198 msgid "Expiration date" msgstr "" -#: js/share.js:228 +#: js/share.js:230 msgid "Share via email:" msgstr "" -#: js/share.js:230 +#: js/share.js:232 msgid "No people found" msgstr "" -#: js/share.js:268 +#: js/share.js:270 msgid "Resharing is not allowed" msgstr "" -#: js/share.js:304 +#: js/share.js:306 msgid "Shared in {item} with {user}" msgstr "" -#: js/share.js:325 +#: js/share.js:327 msgid "Unshare" msgstr "" -#: js/share.js:337 +#: js/share.js:339 msgid "can edit" msgstr "" -#: js/share.js:339 +#: js/share.js:341 msgid "access control" msgstr "" -#: js/share.js:342 +#: js/share.js:344 msgid "create" msgstr "" -#: js/share.js:345 +#: js/share.js:347 msgid "update" msgstr "" -#: js/share.js:348 +#: js/share.js:350 msgid "delete" msgstr "" -#: js/share.js:351 +#: js/share.js:353 msgid "share" msgstr "" -#: js/share.js:385 js/share.js:605 +#: js/share.js:387 js/share.js:607 msgid "Password protected" msgstr "" -#: js/share.js:618 +#: js/share.js:620 msgid "Error unsetting expiration date" msgstr "" -#: js/share.js:630 +#: js/share.js:632 msgid "Error setting expiration date" msgstr "" -#: js/share.js:645 +#: js/share.js:647 msgid "Sending ..." msgstr "" -#: js/share.js:656 +#: js/share.js:658 msgid "Email sent" msgstr "" @@ -465,7 +465,7 @@ msgstr "" msgid "Cloud not found" msgstr "" -#: templates/altmail.php:2 +#: templates/altmail.php:4 #, php-format msgid "" "Hey there,\n" @@ -476,10 +476,6 @@ msgid "" "Cheers!" msgstr "" -#: templates/altmail.php:7 templates/mail.php:24 -msgid "web services under your control" -msgstr "" - #: templates/edit_categories_dialog.php:4 msgid "Edit categories" msgstr "" @@ -572,12 +568,12 @@ msgstr "" msgid "Finish setup" msgstr "Завяршыць ўстаноўку." -#: templates/layout.user.php:40 +#: templates/layout.user.php:43 #, php-format msgid "%s is available. Get more information on how to update." msgstr "" -#: templates/layout.user.php:67 +#: templates/layout.user.php:68 msgid "Log out" msgstr "" @@ -611,7 +607,7 @@ msgstr "" msgid "Alternative Logins" msgstr "" -#: templates/mail.php:15 +#: templates/mail.php:16 #, php-format msgid "" "Hey there,

    just letting you know that %s shared »%s« with you.
    \n" "Language-Team: Belarusian (http://www.transifex.com/projects/p/owncloud/language/be/)\n" "MIME-Version: 1.0\n" @@ -27,54 +27,54 @@ msgstr "" msgid "Could not move %s" msgstr "" -#: ajax/upload.php:16 ajax/upload.php:39 +#: ajax/upload.php:16 ajax/upload.php:45 msgid "Unable to set upload directory." msgstr "" -#: ajax/upload.php:23 +#: ajax/upload.php:22 msgid "Invalid Token" msgstr "" -#: ajax/upload.php:55 +#: ajax/upload.php:59 msgid "No file was uploaded. Unknown error" msgstr "" -#: ajax/upload.php:62 +#: ajax/upload.php:66 msgid "There is no error, the file uploaded with success" msgstr "" -#: ajax/upload.php:63 +#: ajax/upload.php:67 msgid "" "The uploaded file exceeds the upload_max_filesize directive in php.ini: " msgstr "" -#: ajax/upload.php:65 +#: ajax/upload.php:69 msgid "" "The uploaded file exceeds the MAX_FILE_SIZE directive that was specified in " "the HTML form" msgstr "" -#: ajax/upload.php:66 +#: ajax/upload.php:70 msgid "The uploaded file was only partially uploaded" msgstr "" -#: ajax/upload.php:67 +#: ajax/upload.php:71 msgid "No file was uploaded" msgstr "" -#: ajax/upload.php:68 +#: ajax/upload.php:72 msgid "Missing a temporary folder" msgstr "" -#: ajax/upload.php:69 +#: ajax/upload.php:73 msgid "Failed to write to disk" msgstr "" -#: ajax/upload.php:87 +#: ajax/upload.php:91 msgid "Not enough storage available" msgstr "" -#: ajax/upload.php:119 +#: ajax/upload.php:123 msgid "Invalid directory." msgstr "" @@ -128,43 +128,43 @@ msgstr "" msgid "Rename" msgstr "" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:464 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:465 msgid "Pending" msgstr "" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "{new_name} already exists" msgstr "" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "replace" msgstr "" -#: js/filelist.js:302 +#: js/filelist.js:303 msgid "suggest name" msgstr "" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "cancel" msgstr "" -#: js/filelist.js:349 +#: js/filelist.js:350 msgid "replaced {new_name} with {old_name}" msgstr "" -#: js/filelist.js:349 +#: js/filelist.js:350 msgid "undo" msgstr "" -#: js/filelist.js:374 +#: js/filelist.js:375 msgid "perform delete operation" msgstr "" -#: js/filelist.js:456 +#: js/filelist.js:457 msgid "1 file uploading" msgstr "" -#: js/filelist.js:459 js/filelist.js:517 +#: js/filelist.js:460 js/filelist.js:518 msgid "files uploading" msgstr "" @@ -212,19 +212,19 @@ msgstr "" msgid "Modified" msgstr "" -#: js/files.js:765 +#: js/files.js:763 msgid "1 folder" msgstr "" -#: js/files.js:767 +#: js/files.js:765 msgid "{count} folders" msgstr "" -#: js/files.js:775 +#: js/files.js:773 msgid "1 file" msgstr "" -#: js/files.js:777 +#: js/files.js:775 msgid "{count} files" msgstr "" @@ -327,19 +327,19 @@ msgstr "" msgid "Current scanning" msgstr "" -#: templates/part.list.php:78 +#: templates/part.list.php:74 msgid "directory" msgstr "" -#: templates/part.list.php:80 +#: templates/part.list.php:76 msgid "directories" msgstr "" -#: templates/part.list.php:89 +#: templates/part.list.php:85 msgid "file" msgstr "" -#: templates/part.list.php:91 +#: templates/part.list.php:87 msgid "files" msgstr "" diff --git a/l10n/be/lib.po b/l10n/be/lib.po index 4d50e77416..56bb86b0ac 100644 --- a/l10n/be/lib.po +++ b/l10n/be/lib.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:13+0000\n" +"POT-Creation-Date: 2013-07-24 01:55-0400\n" +"PO-Revision-Date: 2013-07-24 05:55+0000\n" "Last-Translator: I Robot \n" "Language-Team: Belarusian (http://www.transifex.com/projects/p/owncloud/language/be/)\n" "MIME-Version: 1.0\n" @@ -41,27 +41,43 @@ msgstr "" msgid "Admin" msgstr "" +#: app.php:844 +#, php-format +msgid "Failed to upgrade \"%s\"." +msgstr "" + #: defaults.php:33 msgid "web services under your control" msgstr "" -#: files.php:210 +#: files.php:66 files.php:98 +#, php-format +msgid "cannot open \"%s\"" +msgstr "" + +#: files.php:226 msgid "ZIP download is turned off." msgstr "" -#: files.php:211 +#: files.php:227 msgid "Files need to be downloaded one by one." msgstr "" -#: files.php:212 files.php:245 +#: files.php:228 files.php:256 msgid "Back to Files" msgstr "" -#: files.php:242 +#: files.php:253 msgid "Selected files too large to generate zip file." msgstr "" -#: helper.php:236 +#: files.php:254 +msgid "" +"Download the files in smaller chunks, seperately or kindly ask your " +"administrator." +msgstr "" + +#: helper.php:235 msgid "couldn't be determined" msgstr "" @@ -170,77 +186,81 @@ msgstr "" msgid "PostgreSQL username and/or password not valid" msgstr "" -#: setup.php:42 +#: setup.php:28 msgid "Set an admin username." msgstr "" -#: setup.php:45 +#: setup.php:31 msgid "Set an admin password." msgstr "" -#: setup.php:198 +#: setup.php:184 msgid "" "Your web server is not yet properly setup to allow files synchronization " "because the WebDAV interface seems to be broken." msgstr "" -#: setup.php:199 +#: setup.php:185 #, php-format msgid "Please double check the installation guides." msgstr "" -#: template.php:113 +#: template/functions.php:80 msgid "seconds ago" msgstr "" -#: template.php:114 +#: template/functions.php:81 msgid "1 minute ago" msgstr "" -#: template.php:115 +#: template/functions.php:82 #, php-format msgid "%d minutes ago" msgstr "" -#: template.php:116 +#: template/functions.php:83 msgid "1 hour ago" msgstr "" -#: template.php:117 +#: template/functions.php:84 #, php-format msgid "%d hours ago" msgstr "" -#: template.php:118 +#: template/functions.php:85 msgid "today" msgstr "" -#: template.php:119 +#: template/functions.php:86 msgid "yesterday" msgstr "" -#: template.php:120 +#: template/functions.php:87 #, php-format msgid "%d days ago" msgstr "" -#: template.php:121 +#: template/functions.php:88 msgid "last month" msgstr "" -#: template.php:122 +#: template/functions.php:89 #, php-format msgid "%d months ago" msgstr "" -#: template.php:123 +#: template/functions.php:90 msgid "last year" msgstr "" -#: template.php:124 +#: template/functions.php:91 msgid "years ago" msgstr "" +#: template.php:296 +msgid "Caused by:" +msgstr "" + #: vcategories.php:188 vcategories.php:249 #, php-format msgid "Could not find category \"%s\"" diff --git a/l10n/be/settings.po b/l10n/be/settings.po index 09f57fe7f7..59e8a73e6d 100644 --- a/l10n/be/settings.po +++ b/l10n/be/settings.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-06-20 02:37+0200\n" -"PO-Revision-Date: 2013-06-20 00:37+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:55+0000\n" "Last-Translator: I Robot \n" "Language-Team: Belarusian (http://www.transifex.com/projects/p/owncloud/language/be/)\n" "MIME-Version: 1.0\n" @@ -88,35 +88,35 @@ msgstr "" msgid "Couldn't update app." msgstr "" -#: js/apps.js:30 +#: js/apps.js:35 msgid "Update to {appversion}" msgstr "" -#: js/apps.js:36 js/apps.js:76 +#: js/apps.js:41 js/apps.js:81 msgid "Disable" msgstr "" -#: js/apps.js:36 js/apps.js:64 js/apps.js:83 +#: js/apps.js:41 js/apps.js:69 js/apps.js:88 msgid "Enable" msgstr "" -#: js/apps.js:55 +#: js/apps.js:60 msgid "Please wait...." msgstr "" -#: js/apps.js:59 js/apps.js:71 js/apps.js:80 js/apps.js:93 +#: js/apps.js:64 js/apps.js:76 js/apps.js:85 js/apps.js:98 msgid "Error" msgstr "" -#: js/apps.js:90 +#: js/apps.js:95 msgid "Updating...." msgstr "" -#: js/apps.js:93 +#: js/apps.js:98 msgid "Error while updating app" msgstr "" -#: js/apps.js:96 +#: js/apps.js:101 msgid "Updated" msgstr "" @@ -165,15 +165,15 @@ msgstr "" msgid "A valid password must be provided" msgstr "" -#: personal.php:35 personal.php:36 +#: personal.php:37 personal.php:38 msgid "__language_name__" msgstr "" -#: templates/admin.php:15 +#: templates/admin.php:17 msgid "Security Warning" msgstr "" -#: templates/admin.php:18 +#: templates/admin.php:20 msgid "" "Your data directory and your files are probably accessible from the " "internet. The .htaccess file that ownCloud provides is not working. We " @@ -182,36 +182,36 @@ msgid "" " webserver document root." msgstr "" -#: templates/admin.php:29 +#: templates/admin.php:31 msgid "Setup Warning" msgstr "" -#: templates/admin.php:32 +#: templates/admin.php:34 msgid "" "Your web server is not yet properly setup to allow files synchronization " "because the WebDAV interface seems to be broken." msgstr "" -#: templates/admin.php:33 +#: templates/admin.php:35 #, php-format msgid "Please double check the installation guides." msgstr "" -#: templates/admin.php:44 +#: templates/admin.php:46 msgid "Module 'fileinfo' missing" msgstr "" -#: templates/admin.php:47 +#: templates/admin.php:49 msgid "" "The PHP module 'fileinfo' is missing. We strongly recommend to enable this " "module to get best results with mime-type detection." msgstr "" -#: templates/admin.php:58 +#: templates/admin.php:60 msgid "Locale not working" msgstr "" -#: templates/admin.php:63 +#: templates/admin.php:65 #, php-format msgid "" "This ownCloud server can't set system locale to %s. This means that there " @@ -219,11 +219,11 @@ msgid "" " to install the required packages on your system to support %s." msgstr "" -#: templates/admin.php:75 +#: templates/admin.php:77 msgid "Internet connection not working" msgstr "" -#: templates/admin.php:78 +#: templates/admin.php:80 msgid "" "This ownCloud server has no working internet connection. This means that " "some of the features like mounting of external storage, notifications about " @@ -233,102 +233,111 @@ msgid "" " of ownCloud." msgstr "" -#: templates/admin.php:92 +#: templates/admin.php:94 msgid "Cron" msgstr "" -#: templates/admin.php:101 +#: templates/admin.php:103 msgid "Execute one task with each page loaded" msgstr "" -#: templates/admin.php:111 +#: templates/admin.php:113 msgid "" "cron.php is registered at a webcron service. Call the cron.php page in the " "owncloud root once a minute over http." msgstr "" -#: templates/admin.php:121 +#: templates/admin.php:123 msgid "" "Use systems cron service. Call the cron.php file in the owncloud folder via " "a system cronjob once a minute." msgstr "" -#: templates/admin.php:128 +#: templates/admin.php:130 msgid "Sharing" msgstr "" -#: templates/admin.php:134 +#: templates/admin.php:136 msgid "Enable Share API" msgstr "" -#: templates/admin.php:135 +#: templates/admin.php:137 msgid "Allow apps to use the Share API" msgstr "" -#: templates/admin.php:142 +#: templates/admin.php:144 msgid "Allow links" msgstr "" -#: templates/admin.php:143 +#: templates/admin.php:145 msgid "Allow users to share items to the public with links" msgstr "" -#: templates/admin.php:150 +#: templates/admin.php:153 +msgid "Allow public uploads" +msgstr "" + +#: templates/admin.php:154 +msgid "" +"Allow users to enable others to upload into their publicly shared folders" +msgstr "" + +#: templates/admin.php:162 msgid "Allow resharing" msgstr "" -#: templates/admin.php:151 +#: templates/admin.php:163 msgid "Allow users to share items shared with them again" msgstr "" -#: templates/admin.php:158 +#: templates/admin.php:170 msgid "Allow users to share with anyone" msgstr "" -#: templates/admin.php:161 +#: templates/admin.php:173 msgid "Allow users to only share with users in their groups" msgstr "" -#: templates/admin.php:168 +#: templates/admin.php:180 msgid "Security" msgstr "" -#: templates/admin.php:181 +#: templates/admin.php:193 msgid "Enforce HTTPS" msgstr "" -#: templates/admin.php:182 +#: templates/admin.php:194 msgid "" "Enforces the clients to connect to ownCloud via an encrypted connection." msgstr "" -#: templates/admin.php:185 +#: templates/admin.php:197 msgid "" "Please connect to this ownCloud instance via HTTPS to enable or disable the " "SSL enforcement." msgstr "" -#: templates/admin.php:195 +#: templates/admin.php:207 msgid "Log" msgstr "" -#: templates/admin.php:196 +#: templates/admin.php:208 msgid "Log level" msgstr "" -#: templates/admin.php:227 +#: templates/admin.php:239 msgid "More" msgstr "" -#: templates/admin.php:228 +#: templates/admin.php:240 msgid "Less" msgstr "" -#: templates/admin.php:235 templates/personal.php:116 +#: templates/admin.php:246 templates/personal.php:116 msgid "Version" msgstr "" -#: templates/admin.php:237 templates/personal.php:119 +#: templates/admin.php:250 templates/personal.php:119 msgid "" "Developed by the ownCloud community, the %s of the available %s" msgstr "" -#: templates/personal.php:40 templates/users.php:23 templates/users.php:86 +#: templates/personal.php:41 templates/users.php:23 templates/users.php:86 msgid "Password" msgstr "" -#: templates/personal.php:41 +#: templates/personal.php:42 msgid "Your password was changed" msgstr "" -#: templates/personal.php:42 +#: templates/personal.php:43 msgid "Unable to change your password" msgstr "" -#: templates/personal.php:43 +#: templates/personal.php:44 msgid "Current password" msgstr "" -#: templates/personal.php:45 +#: templates/personal.php:46 msgid "New password" msgstr "" -#: templates/personal.php:47 +#: templates/personal.php:48 msgid "Change password" msgstr "" -#: templates/personal.php:59 templates/users.php:85 +#: templates/personal.php:60 templates/users.php:85 msgid "Display Name" msgstr "" -#: templates/personal.php:74 +#: templates/personal.php:75 msgid "Email" msgstr "" -#: templates/personal.php:76 +#: templates/personal.php:77 msgid "Your email address" msgstr "" -#: templates/personal.php:77 +#: templates/personal.php:78 msgid "Fill in an email address to enable password recovery" msgstr "" -#: templates/personal.php:86 templates/personal.php:87 +#: templates/personal.php:87 templates/personal.php:88 msgid "Language" msgstr "" -#: templates/personal.php:99 +#: templates/personal.php:100 msgid "Help translate" msgstr "" -#: templates/personal.php:105 +#: templates/personal.php:106 msgid "WebDAV" msgstr "" -#: templates/personal.php:107 -msgid "Use this address to connect to your ownCloud in your file manager" +#: templates/personal.php:108 +#, php-format +msgid "" +"Use this address to access your Files via WebDAV" msgstr "" #: templates/users.php:21 diff --git a/l10n/bg_BG/core.po b/l10n/bg_BG/core.po index 99c5aa1467..eb413c9e8b 100644 --- a/l10n/bg_BG/core.po +++ b/l10n/bg_BG/core.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:12+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:04+0000\n" "Last-Translator: I Robot \n" "Language-Team: Bulgarian (Bulgaria) (http://www.transifex.com/projects/p/owncloud/language/bg_BG/)\n" "MIME-Version: 1.0\n" @@ -137,59 +137,59 @@ msgstr "Ноември" msgid "December" msgstr "Декември" -#: js/js.js:289 +#: js/js.js:293 msgid "Settings" msgstr "Настройки" -#: js/js.js:721 +#: js/js.js:715 msgid "seconds ago" msgstr "преди секунди" -#: js/js.js:722 +#: js/js.js:716 msgid "1 minute ago" msgstr "преди 1 минута" -#: js/js.js:723 +#: js/js.js:717 msgid "{minutes} minutes ago" msgstr "" -#: js/js.js:724 +#: js/js.js:718 msgid "1 hour ago" msgstr "преди 1 час" -#: js/js.js:725 +#: js/js.js:719 msgid "{hours} hours ago" msgstr "" -#: js/js.js:726 +#: js/js.js:720 msgid "today" msgstr "днес" -#: js/js.js:727 +#: js/js.js:721 msgid "yesterday" msgstr "вчера" -#: js/js.js:728 +#: js/js.js:722 msgid "{days} days ago" msgstr "" -#: js/js.js:729 +#: js/js.js:723 msgid "last month" msgstr "последният месец" -#: js/js.js:730 +#: js/js.js:724 msgid "{months} months ago" msgstr "" -#: js/js.js:731 +#: js/js.js:725 msgid "months ago" msgstr "" -#: js/js.js:732 +#: js/js.js:726 msgid "last year" msgstr "последната година" -#: js/js.js:733 +#: js/js.js:727 msgid "years ago" msgstr "последните години" @@ -225,8 +225,8 @@ msgstr "" #: js/oc-vcategories.js:14 js/oc-vcategories.js:80 js/oc-vcategories.js:95 #: js/oc-vcategories.js:110 js/oc-vcategories.js:125 js/oc-vcategories.js:136 #: js/oc-vcategories.js:172 js/oc-vcategories.js:189 js/oc-vcategories.js:195 -#: js/oc-vcategories.js:199 js/share.js:136 js/share.js:143 js/share.js:618 -#: js/share.js:630 +#: js/oc-vcategories.js:199 js/share.js:136 js/share.js:143 js/share.js:625 +#: js/share.js:637 msgid "Error" msgstr "Грешка" @@ -246,7 +246,7 @@ msgstr "" msgid "Share" msgstr "Споделяне" -#: js/share.js:125 js/share.js:658 +#: js/share.js:125 js/share.js:665 msgid "Error while sharing" msgstr "" @@ -266,114 +266,114 @@ msgstr "" msgid "Shared with you by {owner}" msgstr "" -#: js/share.js:172 +#: js/share.js:177 msgid "Share with" msgstr "Споделено с" -#: js/share.js:177 +#: js/share.js:182 msgid "Share with link" msgstr "" -#: js/share.js:180 +#: js/share.js:185 msgid "Password protect" msgstr "" -#: js/share.js:182 templates/installation.php:54 templates/login.php:26 +#: js/share.js:187 templates/installation.php:54 templates/login.php:26 msgid "Password" msgstr "Парола" -#: js/share.js:186 +#: js/share.js:192 msgid "Allow Public Upload" msgstr "" -#: js/share.js:189 +#: js/share.js:196 msgid "Email link to person" msgstr "" -#: js/share.js:190 +#: js/share.js:197 msgid "Send" msgstr "" -#: js/share.js:195 +#: js/share.js:202 msgid "Set expiration date" msgstr "" -#: js/share.js:196 +#: js/share.js:203 msgid "Expiration date" msgstr "" -#: js/share.js:228 +#: js/share.js:235 msgid "Share via email:" msgstr "" -#: js/share.js:230 +#: js/share.js:237 msgid "No people found" msgstr "" -#: js/share.js:268 +#: js/share.js:275 msgid "Resharing is not allowed" msgstr "" -#: js/share.js:304 +#: js/share.js:311 msgid "Shared in {item} with {user}" msgstr "" -#: js/share.js:325 +#: js/share.js:332 msgid "Unshare" msgstr "" -#: js/share.js:337 +#: js/share.js:344 msgid "can edit" msgstr "" -#: js/share.js:339 +#: js/share.js:346 msgid "access control" msgstr "" -#: js/share.js:342 +#: js/share.js:349 msgid "create" msgstr "създаване" -#: js/share.js:345 +#: js/share.js:352 msgid "update" msgstr "" -#: js/share.js:348 +#: js/share.js:355 msgid "delete" msgstr "" -#: js/share.js:351 +#: js/share.js:358 msgid "share" msgstr "" -#: js/share.js:385 js/share.js:605 +#: js/share.js:392 js/share.js:612 msgid "Password protected" msgstr "" -#: js/share.js:618 +#: js/share.js:625 msgid "Error unsetting expiration date" msgstr "" -#: js/share.js:630 +#: js/share.js:637 msgid "Error setting expiration date" msgstr "" -#: js/share.js:645 +#: js/share.js:652 msgid "Sending ..." msgstr "" -#: js/share.js:656 +#: js/share.js:663 msgid "Email sent" msgstr "" -#: js/update.js:14 +#: js/update.js:17 msgid "" "The update was unsuccessful. Please report this issue to the ownCloud " "community." msgstr "" -#: js/update.js:18 +#: js/update.js:21 msgid "The update was successful. Redirecting you to ownCloud now." msgstr "" @@ -465,7 +465,7 @@ msgstr "Достъпът е забранен" msgid "Cloud not found" msgstr "облакът не намерен" -#: templates/altmail.php:2 +#: templates/altmail.php:4 #, php-format msgid "" "Hey there,\n" @@ -476,10 +476,6 @@ msgid "" "Cheers!" msgstr "" -#: templates/altmail.php:7 templates/mail.php:24 -msgid "web services under your control" -msgstr "уеб услуги под Ваш контрол" - #: templates/edit_categories_dialog.php:4 msgid "Edit categories" msgstr "Редактиране на категориите" @@ -611,7 +607,7 @@ msgstr "Вход" msgid "Alternative Logins" msgstr "" -#: templates/mail.php:15 +#: templates/mail.php:16 #, php-format msgid "" "Hey there,

    just letting you know that %s shared »%s« with you.
    \n" "Language-Team: Bulgarian (Bulgaria) (http://www.transifex.com/projects/p/owncloud/language/bg_BG/)\n" "MIME-Version: 1.0\n" @@ -27,54 +27,54 @@ msgstr "" msgid "Could not move %s" msgstr "" -#: ajax/upload.php:16 ajax/upload.php:39 +#: ajax/upload.php:16 ajax/upload.php:45 msgid "Unable to set upload directory." msgstr "" -#: ajax/upload.php:23 +#: ajax/upload.php:22 msgid "Invalid Token" msgstr "" -#: ajax/upload.php:55 +#: ajax/upload.php:59 msgid "No file was uploaded. Unknown error" msgstr "" -#: ajax/upload.php:62 +#: ajax/upload.php:66 msgid "There is no error, the file uploaded with success" msgstr "Файлът е качен успешно" -#: ajax/upload.php:63 +#: ajax/upload.php:67 msgid "" "The uploaded file exceeds the upload_max_filesize directive in php.ini: " msgstr "" -#: ajax/upload.php:65 +#: ajax/upload.php:69 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:66 +#: ajax/upload.php:70 msgid "The uploaded file was only partially uploaded" msgstr "Файлът е качен частично" -#: ajax/upload.php:67 +#: ajax/upload.php:71 msgid "No file was uploaded" msgstr "Фахлът не бе качен" -#: ajax/upload.php:68 +#: ajax/upload.php:72 msgid "Missing a temporary folder" msgstr "Липсва временна папка" -#: ajax/upload.php:69 +#: ajax/upload.php:73 msgid "Failed to write to disk" msgstr "Възникна проблем при запис в диска" -#: ajax/upload.php:87 +#: ajax/upload.php:91 msgid "Not enough storage available" msgstr "" -#: ajax/upload.php:119 +#: ajax/upload.php:123 msgid "Invalid directory." msgstr "Невалидна директория." @@ -128,43 +128,43 @@ msgstr "Изтриване" msgid "Rename" msgstr "Преименуване" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:464 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:465 msgid "Pending" msgstr "Чакащо" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "{new_name} already exists" msgstr "" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "replace" msgstr "препокриване" -#: js/filelist.js:302 +#: js/filelist.js:303 msgid "suggest name" msgstr "" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "cancel" msgstr "отказ" -#: js/filelist.js:349 +#: js/filelist.js:350 msgid "replaced {new_name} with {old_name}" msgstr "" -#: js/filelist.js:349 +#: js/filelist.js:350 msgid "undo" msgstr "възтановяване" -#: js/filelist.js:374 +#: js/filelist.js:375 msgid "perform delete operation" msgstr "" -#: js/filelist.js:456 +#: js/filelist.js:457 msgid "1 file uploading" msgstr "" -#: js/filelist.js:459 js/filelist.js:517 +#: js/filelist.js:460 js/filelist.js:518 msgid "files uploading" msgstr "" @@ -212,19 +212,19 @@ msgstr "Размер" msgid "Modified" msgstr "Променено" -#: js/files.js:765 +#: js/files.js:763 msgid "1 folder" msgstr "1 папка" -#: js/files.js:767 +#: js/files.js:765 msgid "{count} folders" msgstr "{count} папки" -#: js/files.js:775 +#: js/files.js:773 msgid "1 file" msgstr "1 файл" -#: js/files.js:777 +#: js/files.js:775 msgid "{count} files" msgstr "{count} файла" @@ -327,19 +327,19 @@ msgstr "Файловете се претърсват, изчакайте." msgid "Current scanning" msgstr "" -#: templates/part.list.php:78 +#: templates/part.list.php:74 msgid "directory" msgstr "" -#: templates/part.list.php:80 +#: templates/part.list.php:76 msgid "directories" msgstr "" -#: templates/part.list.php:89 +#: templates/part.list.php:85 msgid "file" msgstr "файл" -#: templates/part.list.php:91 +#: templates/part.list.php:87 msgid "files" msgstr "" diff --git a/l10n/bg_BG/files_external.po b/l10n/bg_BG/files_external.po index 9e141cb00e..0bf82bd4a4 100644 --- a/l10n/bg_BG/files_external.po +++ b/l10n/bg_BG/files_external.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: I Robot \n" "Language-Team: Bulgarian (Bulgaria) (http://www.transifex.com/projects/p/owncloud/language/bg_BG/)\n" "MIME-Version: 1.0\n" @@ -37,20 +37,20 @@ msgstr "" msgid "Error configuring Google Drive storage" msgstr "" -#: lib/config.php:431 +#: lib/config.php:447 msgid "" "Warning: \"smbclient\" is not installed. Mounting of CIFS/SMB shares " "is not possible. Please ask your system administrator to install it." msgstr "" -#: lib/config.php:434 +#: lib/config.php:450 msgid "" "Warning: The FTP support in PHP is not enabled or installed. Mounting" " of FTP shares is not possible. Please ask your system administrator to " "install it." msgstr "" -#: lib/config.php:437 +#: lib/config.php:453 msgid "" "Warning: The Curl support in PHP is not enabled or installed. " "Mounting of ownCloud / WebDAV or GoogleDrive is not possible. Please ask " diff --git a/l10n/bg_BG/files_sharing.po b/l10n/bg_BG/files_sharing.po index c31e6732a5..855cf3e040 100644 --- a/l10n/bg_BG/files_sharing.po +++ b/l10n/bg_BG/files_sharing.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:13+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: I Robot \n" "Language-Team: Bulgarian (Bulgaria) (http://www.transifex.com/projects/p/owncloud/language/bg_BG/)\n" "MIME-Version: 1.0\n" @@ -39,18 +39,18 @@ msgstr "%s сподели папката %s с Вас" msgid "%s shared the file %s with you" msgstr "%s сподели файла %s с Вас" -#: templates/public.php:28 templates/public.php:86 +#: templates/public.php:28 templates/public.php:90 msgid "Download" msgstr "Изтегляне" -#: templates/public.php:44 +#: templates/public.php:45 templates/public.php:48 msgid "Upload" msgstr "Качване" -#: templates/public.php:54 +#: templates/public.php:58 msgid "Cancel upload" msgstr "Спри качването" -#: templates/public.php:83 +#: templates/public.php:87 msgid "No preview available for" msgstr "Няма наличен преглед за" diff --git a/l10n/bg_BG/files_trashbin.po b/l10n/bg_BG/files_trashbin.po index 1c711b410d..d0c54c15ff 100644 --- a/l10n/bg_BG/files_trashbin.po +++ b/l10n/bg_BG/files_trashbin.po @@ -8,8 +8,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: Димитър Кръстев \n" "Language-Team: Bulgarian (Bulgaria) (http://www.transifex.com/projects/p/owncloud/language/bg_BG/)\n" "MIME-Version: 1.0\n" diff --git a/l10n/bg_BG/lib.po b/l10n/bg_BG/lib.po index d784089510..74cc7751a4 100644 --- a/l10n/bg_BG/lib.po +++ b/l10n/bg_BG/lib.po @@ -8,8 +8,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:13+0000\n" +"POT-Creation-Date: 2013-07-24 01:55-0400\n" +"PO-Revision-Date: 2013-07-24 05:55+0000\n" "Last-Translator: I Robot \n" "Language-Team: Bulgarian (Bulgaria) (http://www.transifex.com/projects/p/owncloud/language/bg_BG/)\n" "MIME-Version: 1.0\n" @@ -42,27 +42,43 @@ msgstr "Приложения" msgid "Admin" msgstr "Админ" -#: defaults.php:33 -msgid "web services under your control" +#: app.php:844 +#, php-format +msgid "Failed to upgrade \"%s\"." msgstr "" -#: files.php:210 +#: defaults.php:33 +msgid "web services under your control" +msgstr "уеб услуги под Ваш контрол" + +#: files.php:66 files.php:98 +#, php-format +msgid "cannot open \"%s\"" +msgstr "" + +#: files.php:226 msgid "ZIP download is turned off." msgstr "Изтеглянето като ZIP е изключено." -#: files.php:211 +#: files.php:227 msgid "Files need to be downloaded one by one." msgstr "Файловете трябва да се изтеглят един по един." -#: files.php:212 files.php:245 +#: files.php:228 files.php:256 msgid "Back to Files" msgstr "Назад към файловете" -#: files.php:242 +#: files.php:253 msgid "Selected files too large to generate zip file." msgstr "Избраните файлове са прекалено големи за генерирането на ZIP архив." -#: helper.php:236 +#: files.php:254 +msgid "" +"Download the files in smaller chunks, seperately or kindly ask your " +"administrator." +msgstr "" + +#: helper.php:235 msgid "couldn't be determined" msgstr "не може да се определи" @@ -171,77 +187,81 @@ msgstr "Проблемната команда беше: \"%s\", име: %s, па msgid "PostgreSQL username and/or password not valid" msgstr "Невалидно PostgreSQL потребителско име и/или парола" -#: setup.php:42 +#: setup.php:28 msgid "Set an admin username." msgstr "Въведете потребителско име за администратор." -#: setup.php:45 +#: setup.php:31 msgid "Set an admin password." msgstr "Въведете парола за администратор." -#: setup.php:198 +#: setup.php:184 msgid "" "Your web server is not yet properly setup to allow files synchronization " "because the WebDAV interface seems to be broken." msgstr "Вашият web сървър все още не е удачно настроен да позволява синхронизация на файлове, защото WebDAV интерфейсът изглежда не работи." -#: setup.php:199 +#: setup.php:185 #, php-format msgid "Please double check the installation guides." msgstr "Моля направете повторна справка с ръководството за инсталиране." -#: template.php:113 +#: template/functions.php:80 msgid "seconds ago" msgstr "преди секунди" -#: template.php:114 +#: template/functions.php:81 msgid "1 minute ago" msgstr "преди 1 минута" -#: template.php:115 +#: template/functions.php:82 #, php-format msgid "%d minutes ago" msgstr "преди %d минути" -#: template.php:116 +#: template/functions.php:83 msgid "1 hour ago" msgstr "преди 1 час" -#: template.php:117 +#: template/functions.php:84 #, php-format msgid "%d hours ago" msgstr "преди %d часа" -#: template.php:118 +#: template/functions.php:85 msgid "today" msgstr "днес" -#: template.php:119 +#: template/functions.php:86 msgid "yesterday" msgstr "вчера" -#: template.php:120 +#: template/functions.php:87 #, php-format msgid "%d days ago" msgstr "преди %d дни" -#: template.php:121 +#: template/functions.php:88 msgid "last month" msgstr "последният месец" -#: template.php:122 +#: template/functions.php:89 #, php-format msgid "%d months ago" msgstr "преди %d месеца" -#: template.php:123 +#: template/functions.php:90 msgid "last year" msgstr "последната година" -#: template.php:124 +#: template/functions.php:91 msgid "years ago" msgstr "последните години" +#: template.php:296 +msgid "Caused by:" +msgstr "" + #: vcategories.php:188 vcategories.php:249 #, php-format msgid "Could not find category \"%s\"" diff --git a/l10n/bg_BG/settings.po b/l10n/bg_BG/settings.po index 1bfeca86d5..65aca26e56 100644 --- a/l10n/bg_BG/settings.po +++ b/l10n/bg_BG/settings.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:55+0000\n" "Last-Translator: I Robot \n" "Language-Team: Bulgarian (Bulgaria) (http://www.transifex.com/projects/p/owncloud/language/bg_BG/)\n" "MIME-Version: 1.0\n" @@ -273,62 +273,71 @@ msgstr "" msgid "Allow users to share items to the public with links" msgstr "" -#: templates/admin.php:152 +#: templates/admin.php:153 +msgid "Allow public uploads" +msgstr "" + +#: templates/admin.php:154 +msgid "" +"Allow users to enable others to upload into their publicly shared folders" +msgstr "" + +#: templates/admin.php:162 msgid "Allow resharing" msgstr "" -#: templates/admin.php:153 +#: templates/admin.php:163 msgid "Allow users to share items shared with them again" msgstr "" -#: templates/admin.php:160 +#: templates/admin.php:170 msgid "Allow users to share with anyone" msgstr "" -#: templates/admin.php:163 +#: templates/admin.php:173 msgid "Allow users to only share with users in their groups" msgstr "" -#: templates/admin.php:170 +#: templates/admin.php:180 msgid "Security" msgstr "" -#: templates/admin.php:183 +#: templates/admin.php:193 msgid "Enforce HTTPS" msgstr "" -#: templates/admin.php:184 +#: templates/admin.php:194 msgid "" "Enforces the clients to connect to ownCloud via an encrypted connection." msgstr "" -#: templates/admin.php:187 +#: templates/admin.php:197 msgid "" "Please connect to this ownCloud instance via HTTPS to enable or disable the " "SSL enforcement." msgstr "" -#: templates/admin.php:197 +#: templates/admin.php:207 msgid "Log" msgstr "" -#: templates/admin.php:198 +#: templates/admin.php:208 msgid "Log level" msgstr "" -#: templates/admin.php:229 +#: templates/admin.php:239 msgid "More" msgstr "Още" -#: templates/admin.php:230 +#: templates/admin.php:240 msgid "Less" msgstr "По-малко" -#: templates/admin.php:236 templates/personal.php:116 +#: templates/admin.php:246 templates/personal.php:116 msgid "Version" msgstr "Версия" -#: templates/admin.php:240 templates/personal.php:119 +#: templates/admin.php:250 templates/personal.php:119 msgid "" "Developed by the ownCloud community, the access your Files via WebDAV" msgstr "" #: templates/users.php:21 diff --git a/l10n/bg_BG/user_ldap.po b/l10n/bg_BG/user_ldap.po index 3927f633a9..78aed275cc 100644 --- a/l10n/bg_BG/user_ldap.po +++ b/l10n/bg_BG/user_ldap.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: I Robot \n" "Language-Team: Bulgarian (Bulgaria) (http://www.transifex.com/projects/p/owncloud/language/bg_BG/)\n" "MIME-Version: 1.0\n" diff --git a/l10n/bn_BD/core.po b/l10n/bn_BD/core.po index 5bf76871da..8581463a64 100644 --- a/l10n/bn_BD/core.po +++ b/l10n/bn_BD/core.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:12+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:04+0000\n" "Last-Translator: I Robot \n" "Language-Team: Bengali (Bangladesh) (http://www.transifex.com/projects/p/owncloud/language/bn_BD/)\n" "MIME-Version: 1.0\n" @@ -137,59 +137,59 @@ msgstr "নভেম্বর" msgid "December" msgstr "ডিসেম্বর" -#: js/js.js:289 +#: js/js.js:293 msgid "Settings" msgstr "নিয়ামকসমূহ" -#: js/js.js:721 +#: js/js.js:715 msgid "seconds ago" msgstr "সেকেন্ড পূর্বে" -#: js/js.js:722 +#: js/js.js:716 msgid "1 minute ago" msgstr "১ মিনিট পূর্বে" -#: js/js.js:723 +#: js/js.js:717 msgid "{minutes} minutes ago" msgstr "{minutes} মিনিট পূর্বে" -#: js/js.js:724 +#: js/js.js:718 msgid "1 hour ago" msgstr "1 ঘন্টা পূর্বে" -#: js/js.js:725 +#: js/js.js:719 msgid "{hours} hours ago" msgstr "{hours} ঘন্টা পূর্বে" -#: js/js.js:726 +#: js/js.js:720 msgid "today" msgstr "আজ" -#: js/js.js:727 +#: js/js.js:721 msgid "yesterday" msgstr "গতকাল" -#: js/js.js:728 +#: js/js.js:722 msgid "{days} days ago" msgstr "{days} দিন পূর্বে" -#: js/js.js:729 +#: js/js.js:723 msgid "last month" msgstr "গত মাস" -#: js/js.js:730 +#: js/js.js:724 msgid "{months} months ago" msgstr "{months} মাস পূর্বে" -#: js/js.js:731 +#: js/js.js:725 msgid "months ago" msgstr "মাস পূর্বে" -#: js/js.js:732 +#: js/js.js:726 msgid "last year" msgstr "গত বছর" -#: js/js.js:733 +#: js/js.js:727 msgid "years ago" msgstr "বছর পূর্বে" @@ -225,8 +225,8 @@ msgstr "অবজেক্টের ধরণটি সুনির্দিষ #: js/oc-vcategories.js:14 js/oc-vcategories.js:80 js/oc-vcategories.js:95 #: js/oc-vcategories.js:110 js/oc-vcategories.js:125 js/oc-vcategories.js:136 #: js/oc-vcategories.js:172 js/oc-vcategories.js:189 js/oc-vcategories.js:195 -#: js/oc-vcategories.js:199 js/share.js:136 js/share.js:143 js/share.js:618 -#: js/share.js:630 +#: js/oc-vcategories.js:199 js/share.js:136 js/share.js:143 js/share.js:625 +#: js/share.js:637 msgid "Error" msgstr "সমস্যা" @@ -246,7 +246,7 @@ msgstr "ভাগাভাগিকৃত" msgid "Share" msgstr "ভাগাভাগি কর" -#: js/share.js:125 js/share.js:658 +#: js/share.js:125 js/share.js:665 msgid "Error while sharing" msgstr "ভাগাভাগি করতে সমস্যা দেখা দিয়েছে " @@ -266,114 +266,114 @@ msgstr "{owner} আপনার এবং {group} গোষ্ঠীর সা msgid "Shared with you by {owner}" msgstr "{owner} আপনার সাথে ভাগাভাগি করেছেন" -#: js/share.js:172 +#: js/share.js:177 msgid "Share with" msgstr "যাদের সাথে ভাগাভাগি করা হয়েছে" -#: js/share.js:177 +#: js/share.js:182 msgid "Share with link" msgstr "লিংকের সাথে ভাগাভাগি কর" -#: js/share.js:180 +#: js/share.js:185 msgid "Password protect" msgstr "কূটশব্দ সুরক্ষিত" -#: js/share.js:182 templates/installation.php:54 templates/login.php:26 +#: js/share.js:187 templates/installation.php:54 templates/login.php:26 msgid "Password" msgstr "কূটশব্দ" -#: js/share.js:186 +#: js/share.js:192 msgid "Allow Public Upload" msgstr "" -#: js/share.js:189 +#: js/share.js:196 msgid "Email link to person" msgstr "ব্যক্তির সাথে ই-মেইল যুক্ত কর" -#: js/share.js:190 +#: js/share.js:197 msgid "Send" msgstr "পাঠাও" -#: js/share.js:195 +#: js/share.js:202 msgid "Set expiration date" msgstr "মেয়াদোত্তীর্ণ হওয়ার তারিখ নির্ধারণ করুন" -#: js/share.js:196 +#: js/share.js:203 msgid "Expiration date" msgstr "মেয়াদোত্তীর্ণ হওয়ার তারিখ" -#: js/share.js:228 +#: js/share.js:235 msgid "Share via email:" msgstr "ই-মেইলের মাধ্যমে ভাগাভাগি করুনঃ" -#: js/share.js:230 +#: js/share.js:237 msgid "No people found" msgstr "কোন ব্যক্তি খুঁজে পাওয়া গেল না" -#: js/share.js:268 +#: js/share.js:275 msgid "Resharing is not allowed" msgstr "পূনঃরায় ভাগাভাগি অনুমোদিত নয়" -#: js/share.js:304 +#: js/share.js:311 msgid "Shared in {item} with {user}" msgstr "{user} এর সাথে {item} ভাগাভাগি করা হয়েছে" -#: js/share.js:325 +#: js/share.js:332 msgid "Unshare" msgstr "ভাগাভাগি বাতিল " -#: js/share.js:337 +#: js/share.js:344 msgid "can edit" msgstr "সম্পাদনা করতে পারবেন" -#: js/share.js:339 +#: js/share.js:346 msgid "access control" msgstr "অধিগম্যতা নিয়ন্ত্রণ" -#: js/share.js:342 +#: js/share.js:349 msgid "create" msgstr "তৈরী করুন" -#: js/share.js:345 +#: js/share.js:352 msgid "update" msgstr "পরিবর্ধন কর" -#: js/share.js:348 +#: js/share.js:355 msgid "delete" msgstr "মুছে ফেল" -#: js/share.js:351 +#: js/share.js:358 msgid "share" msgstr "ভাগাভাগি কর" -#: js/share.js:385 js/share.js:605 +#: js/share.js:392 js/share.js:612 msgid "Password protected" msgstr "কূটশব্দদ্বারা সুরক্ষিত" -#: js/share.js:618 +#: js/share.js:625 msgid "Error unsetting expiration date" msgstr "মেয়াদোত্তীর্ণ হওয়ার তারিখ নির্ধারণ বাতিল করতে সমস্যা দেখা দিয়েছে" -#: js/share.js:630 +#: js/share.js:637 msgid "Error setting expiration date" msgstr "মেয়াদোত্তীর্ণ হওয়ার তারিখ নির্ধারণ করতে সমস্যা দেখা দিয়েছে" -#: js/share.js:645 +#: js/share.js:652 msgid "Sending ..." msgstr "পাঠানো হচ্ছে......" -#: js/share.js:656 +#: js/share.js:663 msgid "Email sent" msgstr "ই-মেইল পাঠানো হয়েছে" -#: js/update.js:14 +#: js/update.js:17 msgid "" "The update was unsuccessful. Please report this issue to the ownCloud " "community." msgstr "" -#: js/update.js:18 +#: js/update.js:21 msgid "The update was successful. Redirecting you to ownCloud now." msgstr "" @@ -465,7 +465,7 @@ msgstr "অধিগমনের অনুমতি নেই" msgid "Cloud not found" msgstr "ক্লাউড খুঁজে পাওয়া গেল না" -#: templates/altmail.php:2 +#: templates/altmail.php:4 #, php-format msgid "" "Hey there,\n" @@ -476,10 +476,6 @@ msgid "" "Cheers!" msgstr "" -#: templates/altmail.php:7 templates/mail.php:24 -msgid "web services under your control" -msgstr "ওয়েব সার্ভিস আপনার হাতের মুঠোয়" - #: templates/edit_categories_dialog.php:4 msgid "Edit categories" msgstr "ক্যাটেগরি সম্পাদনা" @@ -611,7 +607,7 @@ msgstr "প্রবেশ" msgid "Alternative Logins" msgstr "" -#: templates/mail.php:15 +#: templates/mail.php:16 #, php-format msgid "" "Hey there,

    just letting you know that %s shared »%s« with you.
    \n" "Language-Team: Bengali (Bangladesh) (http://www.transifex.com/projects/p/owncloud/language/bn_BD/)\n" "MIME-Version: 1.0\n" @@ -27,54 +27,54 @@ msgstr "%s কে স্থানান্তর করা সম্ভব হ msgid "Could not move %s" msgstr "%s কে স্থানান্তর করা সম্ভব হলো না" -#: ajax/upload.php:16 ajax/upload.php:39 +#: ajax/upload.php:16 ajax/upload.php:45 msgid "Unable to set upload directory." msgstr "" -#: ajax/upload.php:23 +#: ajax/upload.php:22 msgid "Invalid Token" msgstr "" -#: ajax/upload.php:55 +#: ajax/upload.php:59 msgid "No file was uploaded. Unknown error" msgstr "কোন ফাইল আপলোড করা হয় নি। সমস্যার কারণটি অজ্ঞাত।" -#: ajax/upload.php:62 +#: ajax/upload.php:66 msgid "There is no error, the file uploaded with success" msgstr "কোন সমস্যা হয় নি, ফাইল আপলোড সুসম্পন্ন হয়েছে।" -#: ajax/upload.php:63 +#: ajax/upload.php:67 msgid "" "The uploaded file exceeds the upload_max_filesize directive in php.ini: " msgstr "আপলোড করা ফাইলটি php.ini তে বর্ণিত upload_max_filesize নির্দেশিত আয়তন অতিক্রম করছেঃ" -#: ajax/upload.php:65 +#: ajax/upload.php:69 msgid "" "The uploaded file exceeds the MAX_FILE_SIZE directive that was specified in " "the HTML form" msgstr "আপলোড করা ফাইলটি HTML ফর্মে উল্লিখিত MAX_FILE_SIZE নির্ধারিত ফাইলের সর্বোচ্চ আকার অতিক্রম করতে চলেছে " -#: ajax/upload.php:66 +#: ajax/upload.php:70 msgid "The uploaded file was only partially uploaded" msgstr "আপলোড করা ফাইলটি আংশিক আপলোড করা হয়েছে" -#: ajax/upload.php:67 +#: ajax/upload.php:71 msgid "No file was uploaded" msgstr "কোন ফাইল আপলোড করা হয় নি" -#: ajax/upload.php:68 +#: ajax/upload.php:72 msgid "Missing a temporary folder" msgstr "অস্থায়ী ফোল্ডারটি হারানো গিয়েছে" -#: ajax/upload.php:69 +#: ajax/upload.php:73 msgid "Failed to write to disk" msgstr "ডিস্কে লিখতে ব্যর্থ" -#: ajax/upload.php:87 +#: ajax/upload.php:91 msgid "Not enough storage available" msgstr "" -#: ajax/upload.php:119 +#: ajax/upload.php:123 msgid "Invalid directory." msgstr "ভুল ডিরেক্টরি" @@ -128,43 +128,43 @@ msgstr "মুছে" msgid "Rename" msgstr "পূনঃনামকরণ" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:464 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:465 msgid "Pending" msgstr "মুলতুবি" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "{new_name} already exists" msgstr "{new_name} টি বিদ্যমান" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "replace" msgstr "প্রতিস্থাপন" -#: js/filelist.js:302 +#: js/filelist.js:303 msgid "suggest name" msgstr "নাম সুপারিশ করুন" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "cancel" msgstr "বাতিল" -#: js/filelist.js:349 +#: js/filelist.js:350 msgid "replaced {new_name} with {old_name}" msgstr "{new_name} কে {old_name} নামে প্রতিস্থাপন করা হয়েছে" -#: js/filelist.js:349 +#: js/filelist.js:350 msgid "undo" msgstr "ক্রিয়া প্রত্যাহার" -#: js/filelist.js:374 +#: js/filelist.js:375 msgid "perform delete operation" msgstr "" -#: js/filelist.js:456 +#: js/filelist.js:457 msgid "1 file uploading" msgstr "১টি ফাইল আপলোড করা হচ্ছে" -#: js/filelist.js:459 js/filelist.js:517 +#: js/filelist.js:460 js/filelist.js:518 msgid "files uploading" msgstr "" @@ -212,19 +212,19 @@ msgstr "আকার" msgid "Modified" msgstr "পরিবর্তিত" -#: js/files.js:765 +#: js/files.js:763 msgid "1 folder" msgstr "১টি ফোল্ডার" -#: js/files.js:767 +#: js/files.js:765 msgid "{count} folders" msgstr "{count} টি ফোল্ডার" -#: js/files.js:775 +#: js/files.js:773 msgid "1 file" msgstr "১টি ফাইল" -#: js/files.js:777 +#: js/files.js:775 msgid "{count} files" msgstr "{count} টি ফাইল" @@ -327,19 +327,19 @@ msgstr "ফাইলগুলো স্ক্যান করা হচ্ছে msgid "Current scanning" msgstr "বর্তমান স্ক্যানিং" -#: templates/part.list.php:78 +#: templates/part.list.php:74 msgid "directory" msgstr "" -#: templates/part.list.php:80 +#: templates/part.list.php:76 msgid "directories" msgstr "" -#: templates/part.list.php:89 +#: templates/part.list.php:85 msgid "file" msgstr "" -#: templates/part.list.php:91 +#: templates/part.list.php:87 msgid "files" msgstr "" diff --git a/l10n/bn_BD/files_external.po b/l10n/bn_BD/files_external.po index 7e29c81daa..296d25d0bd 100644 --- a/l10n/bn_BD/files_external.po +++ b/l10n/bn_BD/files_external.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: I Robot \n" "Language-Team: Bengali (Bangladesh) (http://www.transifex.com/projects/p/owncloud/language/bn_BD/)\n" "MIME-Version: 1.0\n" @@ -37,20 +37,20 @@ msgstr "দয়া করে সঠিক এবং বৈধ Dropbox app key and msgid "Error configuring Google Drive storage" msgstr "Google Drive সংরক্ষণাগার নির্ধারণ করতে সমস্যা " -#: lib/config.php:431 +#: lib/config.php:447 msgid "" "Warning: \"smbclient\" is not installed. Mounting of CIFS/SMB shares " "is not possible. Please ask your system administrator to install it." msgstr "" -#: lib/config.php:434 +#: lib/config.php:450 msgid "" "Warning: The FTP support in PHP is not enabled or installed. Mounting" " of FTP shares is not possible. Please ask your system administrator to " "install it." msgstr "" -#: lib/config.php:437 +#: lib/config.php:453 msgid "" "Warning: The Curl support in PHP is not enabled or installed. " "Mounting of ownCloud / WebDAV or GoogleDrive is not possible. Please ask " diff --git a/l10n/bn_BD/files_sharing.po b/l10n/bn_BD/files_sharing.po index 0931aa5aac..0633b64722 100644 --- a/l10n/bn_BD/files_sharing.po +++ b/l10n/bn_BD/files_sharing.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:13+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: I Robot \n" "Language-Team: Bengali (Bangladesh) (http://www.transifex.com/projects/p/owncloud/language/bn_BD/)\n" "MIME-Version: 1.0\n" @@ -39,18 +39,18 @@ msgstr "%s আপনার সাথে %s ফোল্ডারটি ভাগ msgid "%s shared the file %s with you" msgstr "%s আপনার সাথে %s ফাইলটি ভাগাভাগি করেছেন" -#: templates/public.php:28 templates/public.php:86 +#: templates/public.php:28 templates/public.php:90 msgid "Download" msgstr "ডাউনলোড" -#: templates/public.php:44 +#: templates/public.php:45 templates/public.php:48 msgid "Upload" msgstr "আপলোড" -#: templates/public.php:54 +#: templates/public.php:58 msgid "Cancel upload" msgstr "আপলোড বাতিল কর" -#: templates/public.php:83 +#: templates/public.php:87 msgid "No preview available for" msgstr "এর জন্য কোন প্রাকবীক্ষণ সুলভ নয়" diff --git a/l10n/bn_BD/files_trashbin.po b/l10n/bn_BD/files_trashbin.po index b788744e13..dfac2e41a3 100644 --- a/l10n/bn_BD/files_trashbin.po +++ b/l10n/bn_BD/files_trashbin.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: I Robot \n" "Language-Team: Bengali (Bangladesh) (http://www.transifex.com/projects/p/owncloud/language/bn_BD/)\n" "MIME-Version: 1.0\n" diff --git a/l10n/bn_BD/lib.po b/l10n/bn_BD/lib.po index 86fb33b284..d9e572a75f 100644 --- a/l10n/bn_BD/lib.po +++ b/l10n/bn_BD/lib.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:13+0000\n" +"POT-Creation-Date: 2013-07-24 01:55-0400\n" +"PO-Revision-Date: 2013-07-24 05:55+0000\n" "Last-Translator: I Robot \n" "Language-Team: Bengali (Bangladesh) (http://www.transifex.com/projects/p/owncloud/language/bn_BD/)\n" "MIME-Version: 1.0\n" @@ -41,27 +41,43 @@ msgstr "অ্যাপ" msgid "Admin" msgstr "প্রশাসন" -#: defaults.php:33 -msgid "web services under your control" +#: app.php:844 +#, php-format +msgid "Failed to upgrade \"%s\"." msgstr "" -#: files.php:210 +#: defaults.php:33 +msgid "web services under your control" +msgstr "ওয়েব সার্ভিস আপনার হাতের মুঠোয়" + +#: files.php:66 files.php:98 +#, php-format +msgid "cannot open \"%s\"" +msgstr "" + +#: files.php:226 msgid "ZIP download is turned off." msgstr "ZIP ডাউনলোড বন্ধ করা আছে।" -#: files.php:211 +#: files.php:227 msgid "Files need to be downloaded one by one." msgstr "ফাইলগুলো একে একে ডাউনলোড করা আবশ্যক।" -#: files.php:212 files.php:245 +#: files.php:228 files.php:256 msgid "Back to Files" msgstr "ফাইলে ফিরে চল" -#: files.php:242 +#: files.php:253 msgid "Selected files too large to generate zip file." msgstr "নির্বাচিত ফাইলগুলো এতই বৃহৎ যে জিপ ফাইল তৈরী করা সম্ভব নয়।" -#: helper.php:236 +#: files.php:254 +msgid "" +"Download the files in smaller chunks, seperately or kindly ask your " +"administrator." +msgstr "" + +#: helper.php:235 msgid "couldn't be determined" msgstr "" @@ -170,77 +186,81 @@ msgstr "" msgid "PostgreSQL username and/or password not valid" msgstr "" -#: setup.php:42 +#: setup.php:28 msgid "Set an admin username." msgstr "" -#: setup.php:45 +#: setup.php:31 msgid "Set an admin password." msgstr "" -#: setup.php:198 +#: setup.php:184 msgid "" "Your web server is not yet properly setup to allow files synchronization " "because the WebDAV interface seems to be broken." msgstr "" -#: setup.php:199 +#: setup.php:185 #, php-format msgid "Please double check the installation guides." msgstr "" -#: template.php:113 +#: template/functions.php:80 msgid "seconds ago" msgstr "সেকেন্ড পূর্বে" -#: template.php:114 +#: template/functions.php:81 msgid "1 minute ago" msgstr "১ মিনিট পূর্বে" -#: template.php:115 +#: template/functions.php:82 #, php-format msgid "%d minutes ago" msgstr "%d মিনিট পূর্বে" -#: template.php:116 +#: template/functions.php:83 msgid "1 hour ago" msgstr "1 ঘন্টা পূর্বে" -#: template.php:117 +#: template/functions.php:84 #, php-format msgid "%d hours ago" msgstr "" -#: template.php:118 +#: template/functions.php:85 msgid "today" msgstr "আজ" -#: template.php:119 +#: template/functions.php:86 msgid "yesterday" msgstr "গতকাল" -#: template.php:120 +#: template/functions.php:87 #, php-format msgid "%d days ago" msgstr "%d দিন পূর্বে" -#: template.php:121 +#: template/functions.php:88 msgid "last month" msgstr "গত মাস" -#: template.php:122 +#: template/functions.php:89 #, php-format msgid "%d months ago" msgstr "" -#: template.php:123 +#: template/functions.php:90 msgid "last year" msgstr "গত বছর" -#: template.php:124 +#: template/functions.php:91 msgid "years ago" msgstr "বছর পূর্বে" +#: template.php:296 +msgid "Caused by:" +msgstr "" + #: vcategories.php:188 vcategories.php:249 #, php-format msgid "Could not find category \"%s\"" diff --git a/l10n/bn_BD/settings.po b/l10n/bn_BD/settings.po index 4bf09e5aa9..dab4352842 100644 --- a/l10n/bn_BD/settings.po +++ b/l10n/bn_BD/settings.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:55+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:55+0000\n" "Last-Translator: I Robot \n" "Language-Team: Bengali (Bangladesh) (http://www.transifex.com/projects/p/owncloud/language/bn_BD/)\n" "MIME-Version: 1.0\n" @@ -273,62 +273,71 @@ msgstr "" msgid "Allow users to share items to the public with links" msgstr "" -#: templates/admin.php:152 +#: templates/admin.php:153 +msgid "Allow public uploads" +msgstr "" + +#: templates/admin.php:154 +msgid "" +"Allow users to enable others to upload into their publicly shared folders" +msgstr "" + +#: templates/admin.php:162 msgid "Allow resharing" msgstr "" -#: templates/admin.php:153 +#: templates/admin.php:163 msgid "Allow users to share items shared with them again" msgstr "" -#: templates/admin.php:160 +#: templates/admin.php:170 msgid "Allow users to share with anyone" msgstr "" -#: templates/admin.php:163 +#: templates/admin.php:173 msgid "Allow users to only share with users in their groups" msgstr "" -#: templates/admin.php:170 +#: templates/admin.php:180 msgid "Security" msgstr "" -#: templates/admin.php:183 +#: templates/admin.php:193 msgid "Enforce HTTPS" msgstr "" -#: templates/admin.php:184 +#: templates/admin.php:194 msgid "" "Enforces the clients to connect to ownCloud via an encrypted connection." msgstr "" -#: templates/admin.php:187 +#: templates/admin.php:197 msgid "" "Please connect to this ownCloud instance via HTTPS to enable or disable the " "SSL enforcement." msgstr "" -#: templates/admin.php:197 +#: templates/admin.php:207 msgid "Log" msgstr "" -#: templates/admin.php:198 +#: templates/admin.php:208 msgid "Log level" msgstr "" -#: templates/admin.php:229 +#: templates/admin.php:239 msgid "More" msgstr "বেশী" -#: templates/admin.php:230 +#: templates/admin.php:240 msgid "Less" msgstr "কম" -#: templates/admin.php:236 templates/personal.php:116 +#: templates/admin.php:246 templates/personal.php:116 msgid "Version" msgstr "ভার্সন" -#: templates/admin.php:240 templates/personal.php:119 +#: templates/admin.php:250 templates/personal.php:119 msgid "" "Developed by the ownCloud community, the access your Files via WebDAV" +msgstr "" #: templates/users.php:21 msgid "Login Name" diff --git a/l10n/bn_BD/user_ldap.po b/l10n/bn_BD/user_ldap.po index d2c640133c..6fda92fb9c 100644 --- a/l10n/bn_BD/user_ldap.po +++ b/l10n/bn_BD/user_ldap.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: I Robot \n" "Language-Team: Bengali (Bangladesh) (http://www.transifex.com/projects/p/owncloud/language/bn_BD/)\n" "MIME-Version: 1.0\n" diff --git a/l10n/bs/core.po b/l10n/bs/core.po index fbb8402c9f..91d9aefc86 100644 --- a/l10n/bs/core.po +++ b/l10n/bs/core.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:55+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:04+0000\n" "Last-Translator: I Robot \n" "Language-Team: Bosnian (http://www.transifex.com/projects/p/owncloud/language/bs/)\n" "MIME-Version: 1.0\n" @@ -137,59 +137,59 @@ msgstr "" msgid "December" msgstr "" -#: js/js.js:289 +#: js/js.js:293 msgid "Settings" msgstr "" -#: js/js.js:721 +#: js/js.js:715 msgid "seconds ago" msgstr "" -#: js/js.js:722 +#: js/js.js:716 msgid "1 minute ago" msgstr "" -#: js/js.js:723 +#: js/js.js:717 msgid "{minutes} minutes ago" msgstr "" -#: js/js.js:724 +#: js/js.js:718 msgid "1 hour ago" msgstr "" -#: js/js.js:725 +#: js/js.js:719 msgid "{hours} hours ago" msgstr "" -#: js/js.js:726 +#: js/js.js:720 msgid "today" msgstr "" -#: js/js.js:727 +#: js/js.js:721 msgid "yesterday" msgstr "" -#: js/js.js:728 +#: js/js.js:722 msgid "{days} days ago" msgstr "" -#: js/js.js:729 +#: js/js.js:723 msgid "last month" msgstr "" -#: js/js.js:730 +#: js/js.js:724 msgid "{months} months ago" msgstr "" -#: js/js.js:731 +#: js/js.js:725 msgid "months ago" msgstr "" -#: js/js.js:732 +#: js/js.js:726 msgid "last year" msgstr "" -#: js/js.js:733 +#: js/js.js:727 msgid "years ago" msgstr "" @@ -225,8 +225,8 @@ msgstr "" #: js/oc-vcategories.js:14 js/oc-vcategories.js:80 js/oc-vcategories.js:95 #: js/oc-vcategories.js:110 js/oc-vcategories.js:125 js/oc-vcategories.js:136 #: js/oc-vcategories.js:172 js/oc-vcategories.js:189 js/oc-vcategories.js:195 -#: js/oc-vcategories.js:199 js/share.js:136 js/share.js:143 js/share.js:618 -#: js/share.js:630 +#: js/oc-vcategories.js:199 js/share.js:136 js/share.js:143 js/share.js:625 +#: js/share.js:637 msgid "Error" msgstr "" @@ -246,7 +246,7 @@ msgstr "" msgid "Share" msgstr "Podijeli" -#: js/share.js:125 js/share.js:658 +#: js/share.js:125 js/share.js:665 msgid "Error while sharing" msgstr "" @@ -266,114 +266,114 @@ msgstr "" msgid "Shared with you by {owner}" msgstr "" -#: js/share.js:172 +#: js/share.js:177 msgid "Share with" msgstr "" -#: js/share.js:177 +#: js/share.js:182 msgid "Share with link" msgstr "" -#: js/share.js:180 +#: js/share.js:185 msgid "Password protect" msgstr "" -#: js/share.js:182 templates/installation.php:54 templates/login.php:26 +#: js/share.js:187 templates/installation.php:54 templates/login.php:26 msgid "Password" msgstr "" -#: js/share.js:186 +#: js/share.js:192 msgid "Allow Public Upload" msgstr "" -#: js/share.js:189 +#: js/share.js:196 msgid "Email link to person" msgstr "" -#: js/share.js:190 +#: js/share.js:197 msgid "Send" msgstr "" -#: js/share.js:195 +#: js/share.js:202 msgid "Set expiration date" msgstr "" -#: js/share.js:196 +#: js/share.js:203 msgid "Expiration date" msgstr "" -#: js/share.js:228 +#: js/share.js:235 msgid "Share via email:" msgstr "" -#: js/share.js:230 +#: js/share.js:237 msgid "No people found" msgstr "" -#: js/share.js:268 +#: js/share.js:275 msgid "Resharing is not allowed" msgstr "" -#: js/share.js:304 +#: js/share.js:311 msgid "Shared in {item} with {user}" msgstr "" -#: js/share.js:325 +#: js/share.js:332 msgid "Unshare" msgstr "" -#: js/share.js:337 +#: js/share.js:344 msgid "can edit" msgstr "" -#: js/share.js:339 +#: js/share.js:346 msgid "access control" msgstr "" -#: js/share.js:342 +#: js/share.js:349 msgid "create" msgstr "" -#: js/share.js:345 +#: js/share.js:352 msgid "update" msgstr "" -#: js/share.js:348 +#: js/share.js:355 msgid "delete" msgstr "" -#: js/share.js:351 +#: js/share.js:358 msgid "share" msgstr "" -#: js/share.js:385 js/share.js:605 +#: js/share.js:392 js/share.js:612 msgid "Password protected" msgstr "" -#: js/share.js:618 +#: js/share.js:625 msgid "Error unsetting expiration date" msgstr "" -#: js/share.js:630 +#: js/share.js:637 msgid "Error setting expiration date" msgstr "" -#: js/share.js:645 +#: js/share.js:652 msgid "Sending ..." msgstr "" -#: js/share.js:656 +#: js/share.js:663 msgid "Email sent" msgstr "" -#: js/update.js:14 +#: js/update.js:17 msgid "" "The update was unsuccessful. Please report this issue to the ownCloud " "community." msgstr "" -#: js/update.js:18 +#: js/update.js:21 msgid "The update was successful. Redirecting you to ownCloud now." msgstr "" @@ -465,7 +465,7 @@ msgstr "" msgid "Cloud not found" msgstr "" -#: templates/altmail.php:2 +#: templates/altmail.php:4 #, php-format msgid "" "Hey there,\n" @@ -476,10 +476,6 @@ msgid "" "Cheers!" msgstr "" -#: templates/altmail.php:7 templates/mail.php:24 -msgid "web services under your control" -msgstr "" - #: templates/edit_categories_dialog.php:4 msgid "Edit categories" msgstr "" @@ -611,7 +607,7 @@ msgstr "" msgid "Alternative Logins" msgstr "" -#: templates/mail.php:15 +#: templates/mail.php:16 #, php-format msgid "" "Hey there,

    just letting you know that %s shared »%s« with you.
    \n" "Language-Team: Bosnian (http://www.transifex.com/projects/p/owncloud/language/bs/)\n" "MIME-Version: 1.0\n" @@ -27,54 +27,54 @@ msgstr "" msgid "Could not move %s" msgstr "" -#: ajax/upload.php:16 ajax/upload.php:39 +#: ajax/upload.php:16 ajax/upload.php:45 msgid "Unable to set upload directory." msgstr "" -#: ajax/upload.php:23 +#: ajax/upload.php:22 msgid "Invalid Token" msgstr "" -#: ajax/upload.php:55 +#: ajax/upload.php:59 msgid "No file was uploaded. Unknown error" msgstr "" -#: ajax/upload.php:62 +#: ajax/upload.php:66 msgid "There is no error, the file uploaded with success" msgstr "" -#: ajax/upload.php:63 +#: ajax/upload.php:67 msgid "" "The uploaded file exceeds the upload_max_filesize directive in php.ini: " msgstr "" -#: ajax/upload.php:65 +#: ajax/upload.php:69 msgid "" "The uploaded file exceeds the MAX_FILE_SIZE directive that was specified in " "the HTML form" msgstr "" -#: ajax/upload.php:66 +#: ajax/upload.php:70 msgid "The uploaded file was only partially uploaded" msgstr "" -#: ajax/upload.php:67 +#: ajax/upload.php:71 msgid "No file was uploaded" msgstr "" -#: ajax/upload.php:68 +#: ajax/upload.php:72 msgid "Missing a temporary folder" msgstr "" -#: ajax/upload.php:69 +#: ajax/upload.php:73 msgid "Failed to write to disk" msgstr "" -#: ajax/upload.php:87 +#: ajax/upload.php:91 msgid "Not enough storage available" msgstr "" -#: ajax/upload.php:119 +#: ajax/upload.php:123 msgid "Invalid directory." msgstr "" @@ -128,43 +128,43 @@ msgstr "" msgid "Rename" msgstr "" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:464 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:465 msgid "Pending" msgstr "" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "{new_name} already exists" msgstr "" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "replace" msgstr "" -#: js/filelist.js:302 +#: js/filelist.js:303 msgid "suggest name" msgstr "" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "cancel" msgstr "" -#: js/filelist.js:349 +#: js/filelist.js:350 msgid "replaced {new_name} with {old_name}" msgstr "" -#: js/filelist.js:349 +#: js/filelist.js:350 msgid "undo" msgstr "" -#: js/filelist.js:374 +#: js/filelist.js:375 msgid "perform delete operation" msgstr "" -#: js/filelist.js:456 +#: js/filelist.js:457 msgid "1 file uploading" msgstr "" -#: js/filelist.js:459 js/filelist.js:517 +#: js/filelist.js:460 js/filelist.js:518 msgid "files uploading" msgstr "" @@ -212,19 +212,19 @@ msgstr "Veličina" msgid "Modified" msgstr "" -#: js/files.js:765 +#: js/files.js:763 msgid "1 folder" msgstr "" -#: js/files.js:767 +#: js/files.js:765 msgid "{count} folders" msgstr "" -#: js/files.js:775 +#: js/files.js:773 msgid "1 file" msgstr "" -#: js/files.js:777 +#: js/files.js:775 msgid "{count} files" msgstr "" @@ -327,19 +327,19 @@ msgstr "" msgid "Current scanning" msgstr "" -#: templates/part.list.php:78 +#: templates/part.list.php:74 msgid "directory" msgstr "" -#: templates/part.list.php:80 +#: templates/part.list.php:76 msgid "directories" msgstr "" -#: templates/part.list.php:89 +#: templates/part.list.php:85 msgid "file" msgstr "" -#: templates/part.list.php:91 +#: templates/part.list.php:87 msgid "files" msgstr "" diff --git a/l10n/bs/files_trashbin.po b/l10n/bs/files_trashbin.po index d35c8d2db0..b7666f6c1e 100644 --- a/l10n/bs/files_trashbin.po +++ b/l10n/bs/files_trashbin.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: I Robot \n" "Language-Team: Bosnian (http://www.transifex.com/projects/p/owncloud/language/bs/)\n" "MIME-Version: 1.0\n" diff --git a/l10n/bs/lib.po b/l10n/bs/lib.po index 815a68397d..4def658658 100644 --- a/l10n/bs/lib.po +++ b/l10n/bs/lib.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:13+0000\n" +"POT-Creation-Date: 2013-07-24 01:55-0400\n" +"PO-Revision-Date: 2013-07-24 05:55+0000\n" "Last-Translator: I Robot \n" "Language-Team: Bosnian (http://www.transifex.com/projects/p/owncloud/language/bs/)\n" "MIME-Version: 1.0\n" @@ -41,27 +41,43 @@ msgstr "" msgid "Admin" msgstr "" +#: app.php:844 +#, php-format +msgid "Failed to upgrade \"%s\"." +msgstr "" + #: defaults.php:33 msgid "web services under your control" msgstr "" -#: files.php:210 +#: files.php:66 files.php:98 +#, php-format +msgid "cannot open \"%s\"" +msgstr "" + +#: files.php:226 msgid "ZIP download is turned off." msgstr "" -#: files.php:211 +#: files.php:227 msgid "Files need to be downloaded one by one." msgstr "" -#: files.php:212 files.php:245 +#: files.php:228 files.php:256 msgid "Back to Files" msgstr "" -#: files.php:242 +#: files.php:253 msgid "Selected files too large to generate zip file." msgstr "" -#: helper.php:236 +#: files.php:254 +msgid "" +"Download the files in smaller chunks, seperately or kindly ask your " +"administrator." +msgstr "" + +#: helper.php:235 msgid "couldn't be determined" msgstr "" @@ -170,77 +186,81 @@ msgstr "" msgid "PostgreSQL username and/or password not valid" msgstr "" -#: setup.php:42 +#: setup.php:28 msgid "Set an admin username." msgstr "" -#: setup.php:45 +#: setup.php:31 msgid "Set an admin password." msgstr "" -#: setup.php:198 +#: setup.php:184 msgid "" "Your web server is not yet properly setup to allow files synchronization " "because the WebDAV interface seems to be broken." msgstr "" -#: setup.php:199 +#: setup.php:185 #, php-format msgid "Please double check the installation guides." msgstr "" -#: template.php:113 +#: template/functions.php:80 msgid "seconds ago" msgstr "" -#: template.php:114 +#: template/functions.php:81 msgid "1 minute ago" msgstr "" -#: template.php:115 +#: template/functions.php:82 #, php-format msgid "%d minutes ago" msgstr "" -#: template.php:116 +#: template/functions.php:83 msgid "1 hour ago" msgstr "" -#: template.php:117 +#: template/functions.php:84 #, php-format msgid "%d hours ago" msgstr "" -#: template.php:118 +#: template/functions.php:85 msgid "today" msgstr "" -#: template.php:119 +#: template/functions.php:86 msgid "yesterday" msgstr "" -#: template.php:120 +#: template/functions.php:87 #, php-format msgid "%d days ago" msgstr "" -#: template.php:121 +#: template/functions.php:88 msgid "last month" msgstr "" -#: template.php:122 +#: template/functions.php:89 #, php-format msgid "%d months ago" msgstr "" -#: template.php:123 +#: template/functions.php:90 msgid "last year" msgstr "" -#: template.php:124 +#: template/functions.php:91 msgid "years ago" msgstr "" +#: template.php:296 +msgid "Caused by:" +msgstr "" + #: vcategories.php:188 vcategories.php:249 #, php-format msgid "Could not find category \"%s\"" diff --git a/l10n/bs/settings.po b/l10n/bs/settings.po index 6aed06182f..9826177e68 100644 --- a/l10n/bs/settings.po +++ b/l10n/bs/settings.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-06-20 02:37+0200\n" -"PO-Revision-Date: 2013-06-20 00:37+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:55+0000\n" "Last-Translator: I Robot \n" "Language-Team: Bosnian (http://www.transifex.com/projects/p/owncloud/language/bs/)\n" "MIME-Version: 1.0\n" @@ -88,35 +88,35 @@ msgstr "" msgid "Couldn't update app." msgstr "" -#: js/apps.js:30 +#: js/apps.js:35 msgid "Update to {appversion}" msgstr "" -#: js/apps.js:36 js/apps.js:76 +#: js/apps.js:41 js/apps.js:81 msgid "Disable" msgstr "" -#: js/apps.js:36 js/apps.js:64 js/apps.js:83 +#: js/apps.js:41 js/apps.js:69 js/apps.js:88 msgid "Enable" msgstr "" -#: js/apps.js:55 +#: js/apps.js:60 msgid "Please wait...." msgstr "" -#: js/apps.js:59 js/apps.js:71 js/apps.js:80 js/apps.js:93 +#: js/apps.js:64 js/apps.js:76 js/apps.js:85 js/apps.js:98 msgid "Error" msgstr "" -#: js/apps.js:90 +#: js/apps.js:95 msgid "Updating...." msgstr "" -#: js/apps.js:93 +#: js/apps.js:98 msgid "Error while updating app" msgstr "" -#: js/apps.js:96 +#: js/apps.js:101 msgid "Updated" msgstr "" @@ -165,15 +165,15 @@ msgstr "" msgid "A valid password must be provided" msgstr "" -#: personal.php:35 personal.php:36 +#: personal.php:37 personal.php:38 msgid "__language_name__" msgstr "" -#: templates/admin.php:15 +#: templates/admin.php:17 msgid "Security Warning" msgstr "" -#: templates/admin.php:18 +#: templates/admin.php:20 msgid "" "Your data directory and your files are probably accessible from the " "internet. The .htaccess file that ownCloud provides is not working. We " @@ -182,36 +182,36 @@ msgid "" " webserver document root." msgstr "" -#: templates/admin.php:29 +#: templates/admin.php:31 msgid "Setup Warning" msgstr "" -#: templates/admin.php:32 +#: templates/admin.php:34 msgid "" "Your web server is not yet properly setup to allow files synchronization " "because the WebDAV interface seems to be broken." msgstr "" -#: templates/admin.php:33 +#: templates/admin.php:35 #, php-format msgid "Please double check the installation guides." msgstr "" -#: templates/admin.php:44 +#: templates/admin.php:46 msgid "Module 'fileinfo' missing" msgstr "" -#: templates/admin.php:47 +#: templates/admin.php:49 msgid "" "The PHP module 'fileinfo' is missing. We strongly recommend to enable this " "module to get best results with mime-type detection." msgstr "" -#: templates/admin.php:58 +#: templates/admin.php:60 msgid "Locale not working" msgstr "" -#: templates/admin.php:63 +#: templates/admin.php:65 #, php-format msgid "" "This ownCloud server can't set system locale to %s. This means that there " @@ -219,11 +219,11 @@ msgid "" " to install the required packages on your system to support %s." msgstr "" -#: templates/admin.php:75 +#: templates/admin.php:77 msgid "Internet connection not working" msgstr "" -#: templates/admin.php:78 +#: templates/admin.php:80 msgid "" "This ownCloud server has no working internet connection. This means that " "some of the features like mounting of external storage, notifications about " @@ -233,102 +233,111 @@ msgid "" " of ownCloud." msgstr "" -#: templates/admin.php:92 +#: templates/admin.php:94 msgid "Cron" msgstr "" -#: templates/admin.php:101 +#: templates/admin.php:103 msgid "Execute one task with each page loaded" msgstr "" -#: templates/admin.php:111 +#: templates/admin.php:113 msgid "" "cron.php is registered at a webcron service. Call the cron.php page in the " "owncloud root once a minute over http." msgstr "" -#: templates/admin.php:121 +#: templates/admin.php:123 msgid "" "Use systems cron service. Call the cron.php file in the owncloud folder via " "a system cronjob once a minute." msgstr "" -#: templates/admin.php:128 +#: templates/admin.php:130 msgid "Sharing" msgstr "" -#: templates/admin.php:134 +#: templates/admin.php:136 msgid "Enable Share API" msgstr "" -#: templates/admin.php:135 +#: templates/admin.php:137 msgid "Allow apps to use the Share API" msgstr "" -#: templates/admin.php:142 +#: templates/admin.php:144 msgid "Allow links" msgstr "" -#: templates/admin.php:143 +#: templates/admin.php:145 msgid "Allow users to share items to the public with links" msgstr "" -#: templates/admin.php:150 +#: templates/admin.php:153 +msgid "Allow public uploads" +msgstr "" + +#: templates/admin.php:154 +msgid "" +"Allow users to enable others to upload into their publicly shared folders" +msgstr "" + +#: templates/admin.php:162 msgid "Allow resharing" msgstr "" -#: templates/admin.php:151 +#: templates/admin.php:163 msgid "Allow users to share items shared with them again" msgstr "" -#: templates/admin.php:158 +#: templates/admin.php:170 msgid "Allow users to share with anyone" msgstr "" -#: templates/admin.php:161 +#: templates/admin.php:173 msgid "Allow users to only share with users in their groups" msgstr "" -#: templates/admin.php:168 +#: templates/admin.php:180 msgid "Security" msgstr "" -#: templates/admin.php:181 +#: templates/admin.php:193 msgid "Enforce HTTPS" msgstr "" -#: templates/admin.php:182 +#: templates/admin.php:194 msgid "" "Enforces the clients to connect to ownCloud via an encrypted connection." msgstr "" -#: templates/admin.php:185 +#: templates/admin.php:197 msgid "" "Please connect to this ownCloud instance via HTTPS to enable or disable the " "SSL enforcement." msgstr "" -#: templates/admin.php:195 +#: templates/admin.php:207 msgid "Log" msgstr "" -#: templates/admin.php:196 +#: templates/admin.php:208 msgid "Log level" msgstr "" -#: templates/admin.php:227 +#: templates/admin.php:239 msgid "More" msgstr "" -#: templates/admin.php:228 +#: templates/admin.php:240 msgid "Less" msgstr "" -#: templates/admin.php:235 templates/personal.php:116 +#: templates/admin.php:246 templates/personal.php:116 msgid "Version" msgstr "" -#: templates/admin.php:237 templates/personal.php:119 +#: templates/admin.php:250 templates/personal.php:119 msgid "" "Developed by the ownCloud community, the %s of the available %s" msgstr "" -#: templates/personal.php:40 templates/users.php:23 templates/users.php:86 +#: templates/personal.php:41 templates/users.php:23 templates/users.php:86 msgid "Password" msgstr "" -#: templates/personal.php:41 +#: templates/personal.php:42 msgid "Your password was changed" msgstr "" -#: templates/personal.php:42 +#: templates/personal.php:43 msgid "Unable to change your password" msgstr "" -#: templates/personal.php:43 +#: templates/personal.php:44 msgid "Current password" msgstr "" -#: templates/personal.php:45 +#: templates/personal.php:46 msgid "New password" msgstr "" -#: templates/personal.php:47 +#: templates/personal.php:48 msgid "Change password" msgstr "" -#: templates/personal.php:59 templates/users.php:85 +#: templates/personal.php:60 templates/users.php:85 msgid "Display Name" msgstr "" -#: templates/personal.php:74 +#: templates/personal.php:75 msgid "Email" msgstr "" -#: templates/personal.php:76 +#: templates/personal.php:77 msgid "Your email address" msgstr "" -#: templates/personal.php:77 +#: templates/personal.php:78 msgid "Fill in an email address to enable password recovery" msgstr "" -#: templates/personal.php:86 templates/personal.php:87 +#: templates/personal.php:87 templates/personal.php:88 msgid "Language" msgstr "" -#: templates/personal.php:99 +#: templates/personal.php:100 msgid "Help translate" msgstr "" -#: templates/personal.php:105 +#: templates/personal.php:106 msgid "WebDAV" msgstr "" -#: templates/personal.php:107 -msgid "Use this address to connect to your ownCloud in your file manager" +#: templates/personal.php:108 +#, php-format +msgid "" +"Use this address to access your Files via WebDAV" msgstr "" #: templates/users.php:21 diff --git a/l10n/ca/core.po b/l10n/ca/core.po index 6fbdcf45b0..6fc3f8aa94 100644 --- a/l10n/ca/core.po +++ b/l10n/ca/core.po @@ -9,9 +9,9 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:12+0000\n" -"Last-Translator: rogerc\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:04+0000\n" +"Last-Translator: I Robot \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" @@ -139,59 +139,59 @@ msgstr "Novembre" msgid "December" msgstr "Desembre" -#: js/js.js:289 +#: js/js.js:293 msgid "Settings" msgstr "Configuració" -#: js/js.js:721 +#: js/js.js:715 msgid "seconds ago" msgstr "segons enrere" -#: js/js.js:722 +#: js/js.js:716 msgid "1 minute ago" msgstr "fa 1 minut" -#: js/js.js:723 +#: js/js.js:717 msgid "{minutes} minutes ago" msgstr "fa {minutes} minuts" -#: js/js.js:724 +#: js/js.js:718 msgid "1 hour ago" msgstr "fa 1 hora" -#: js/js.js:725 +#: js/js.js:719 msgid "{hours} hours ago" msgstr "fa {hours} hores" -#: js/js.js:726 +#: js/js.js:720 msgid "today" msgstr "avui" -#: js/js.js:727 +#: js/js.js:721 msgid "yesterday" msgstr "ahir" -#: js/js.js:728 +#: js/js.js:722 msgid "{days} days ago" msgstr "fa {days} dies" -#: js/js.js:729 +#: js/js.js:723 msgid "last month" msgstr "el mes passat" -#: js/js.js:730 +#: js/js.js:724 msgid "{months} months ago" msgstr "fa {months} mesos" -#: js/js.js:731 +#: js/js.js:725 msgid "months ago" msgstr "mesos enrere" -#: js/js.js:732 +#: js/js.js:726 msgid "last year" msgstr "l'any passat" -#: js/js.js:733 +#: js/js.js:727 msgid "years ago" msgstr "anys enrere" @@ -227,8 +227,8 @@ msgstr "No s'ha especificat el tipus d'objecte." #: js/oc-vcategories.js:14 js/oc-vcategories.js:80 js/oc-vcategories.js:95 #: js/oc-vcategories.js:110 js/oc-vcategories.js:125 js/oc-vcategories.js:136 #: js/oc-vcategories.js:172 js/oc-vcategories.js:189 js/oc-vcategories.js:195 -#: js/oc-vcategories.js:199 js/share.js:136 js/share.js:143 js/share.js:618 -#: js/share.js:630 +#: js/oc-vcategories.js:199 js/share.js:136 js/share.js:143 js/share.js:625 +#: js/share.js:637 msgid "Error" msgstr "Error" @@ -248,7 +248,7 @@ msgstr "Compartit" msgid "Share" msgstr "Comparteix" -#: js/share.js:125 js/share.js:658 +#: js/share.js:125 js/share.js:665 msgid "Error while sharing" msgstr "Error en compartir" @@ -268,114 +268,114 @@ msgstr "Compartit amb vos i amb el grup {group} per {owner}" msgid "Shared with you by {owner}" msgstr "Compartit amb vos per {owner}" -#: js/share.js:172 +#: js/share.js:177 msgid "Share with" msgstr "Comparteix amb" -#: js/share.js:177 +#: js/share.js:182 msgid "Share with link" msgstr "Comparteix amb enllaç" -#: js/share.js:180 +#: js/share.js:185 msgid "Password protect" msgstr "Protegir amb contrasenya" -#: js/share.js:182 templates/installation.php:54 templates/login.php:26 +#: js/share.js:187 templates/installation.php:54 templates/login.php:26 msgid "Password" msgstr "Contrasenya" -#: js/share.js:186 +#: js/share.js:192 msgid "Allow Public Upload" msgstr "Permet pujada pública" -#: js/share.js:189 +#: js/share.js:196 msgid "Email link to person" msgstr "Enllaç per correu electrónic amb la persona" -#: js/share.js:190 +#: js/share.js:197 msgid "Send" msgstr "Envia" -#: js/share.js:195 +#: js/share.js:202 msgid "Set expiration date" msgstr "Estableix la data de venciment" -#: js/share.js:196 +#: js/share.js:203 msgid "Expiration date" msgstr "Data de venciment" -#: js/share.js:228 +#: js/share.js:235 msgid "Share via email:" msgstr "Comparteix per correu electrònic" -#: js/share.js:230 +#: js/share.js:237 msgid "No people found" msgstr "No s'ha trobat ningú" -#: js/share.js:268 +#: js/share.js:275 msgid "Resharing is not allowed" msgstr "No es permet compartir de nou" -#: js/share.js:304 +#: js/share.js:311 msgid "Shared in {item} with {user}" msgstr "Compartit en {item} amb {user}" -#: js/share.js:325 +#: js/share.js:332 msgid "Unshare" msgstr "Deixa de compartir" -#: js/share.js:337 +#: js/share.js:344 msgid "can edit" msgstr "pot editar" -#: js/share.js:339 +#: js/share.js:346 msgid "access control" msgstr "control d'accés" -#: js/share.js:342 +#: js/share.js:349 msgid "create" msgstr "crea" -#: js/share.js:345 +#: js/share.js:352 msgid "update" msgstr "actualitza" -#: js/share.js:348 +#: js/share.js:355 msgid "delete" msgstr "elimina" -#: js/share.js:351 +#: js/share.js:358 msgid "share" msgstr "comparteix" -#: js/share.js:385 js/share.js:605 +#: js/share.js:392 js/share.js:612 msgid "Password protected" msgstr "Protegeix amb contrasenya" -#: js/share.js:618 +#: js/share.js:625 msgid "Error unsetting expiration date" msgstr "Error en eliminar la data de venciment" -#: js/share.js:630 +#: js/share.js:637 msgid "Error setting expiration date" msgstr "Error en establir la data de venciment" -#: js/share.js:645 +#: js/share.js:652 msgid "Sending ..." msgstr "Enviant..." -#: js/share.js:656 +#: js/share.js:663 msgid "Email sent" msgstr "El correu electrónic s'ha enviat" -#: js/update.js:14 +#: js/update.js:17 msgid "" "The update was unsuccessful. Please report this issue to the ownCloud " "community." msgstr "L'actualització ha estat incorrecte. Comuniqueu aquest error a la comunitat ownCloud." -#: js/update.js:18 +#: js/update.js:21 msgid "The update was successful. Redirecting you to ownCloud now." msgstr "L'actualització ha estat correcte. Ara us redirigim a ownCloud." @@ -467,7 +467,7 @@ msgstr "Accés prohibit" msgid "Cloud not found" msgstr "No s'ha trobat el núvol" -#: templates/altmail.php:2 +#: templates/altmail.php:4 #, php-format msgid "" "Hey there,\n" @@ -478,10 +478,6 @@ msgid "" "Cheers!" msgstr "Ei,\n\nnomés fer-te saber que %s ha compartit %s amb tu.\nMira-ho: %s\n\nSalut!" -#: templates/altmail.php:7 templates/mail.php:24 -msgid "web services under your control" -msgstr "controleu els vostres serveis web" - #: templates/edit_categories_dialog.php:4 msgid "Edit categories" msgstr "Edita les categories" @@ -613,7 +609,7 @@ msgstr "Inici de sessió" msgid "Alternative Logins" msgstr "Acreditacions alternatives" -#: templates/mail.php:15 +#: templates/mail.php:16 #, php-format msgid "" "Hey there,

    just letting you know that %s shared »%s« with you.
    , 2013 msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:12+0200\n" -"PO-Revision-Date: 2013-07-04 07:55+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:04+0000\n" "Last-Translator: I Robot \n" "Language-Team: Catalan (http://www.transifex.com/projects/p/owncloud/language/ca/)\n" "MIME-Version: 1.0\n" @@ -28,54 +29,54 @@ msgstr "No s'ha pogut moure %s - Ja hi ha un fitxer amb aquest nom" msgid "Could not move %s" msgstr " No s'ha pogut moure %s" -#: ajax/upload.php:16 ajax/upload.php:39 +#: ajax/upload.php:16 ajax/upload.php:45 msgid "Unable to set upload directory." msgstr "No es pot establir la carpeta de pujada." -#: ajax/upload.php:23 +#: ajax/upload.php:22 msgid "Invalid Token" msgstr "Testimoni no vàlid" -#: ajax/upload.php:55 +#: ajax/upload.php:59 msgid "No file was uploaded. Unknown error" msgstr "No s'ha carregat cap fitxer. Error desconegut" -#: ajax/upload.php:62 +#: ajax/upload.php:66 msgid "There is no error, the file uploaded with success" msgstr "No hi ha errors, el fitxer s'ha carregat correctament" -#: ajax/upload.php:63 +#: ajax/upload.php:67 msgid "" "The uploaded file exceeds the upload_max_filesize directive in php.ini: " msgstr "L’arxiu que voleu carregar supera el màxim definit en la directiva upload_max_filesize del php.ini:" -#: ajax/upload.php:65 +#: ajax/upload.php:69 msgid "" "The uploaded file exceeds the MAX_FILE_SIZE directive that was specified in " "the HTML form" msgstr "El fitxer carregat supera la directiva MAX_FILE_SIZE especificada al formulari HTML" -#: ajax/upload.php:66 +#: ajax/upload.php:70 msgid "The uploaded file was only partially uploaded" msgstr "El fitxer només s'ha carregat parcialment" -#: ajax/upload.php:67 +#: ajax/upload.php:71 msgid "No file was uploaded" msgstr "No s'ha carregat cap fitxer" -#: ajax/upload.php:68 +#: ajax/upload.php:72 msgid "Missing a temporary folder" msgstr "Falta un fitxer temporal" -#: ajax/upload.php:69 +#: ajax/upload.php:73 msgid "Failed to write to disk" msgstr "Ha fallat en escriure al disc" -#: ajax/upload.php:87 +#: ajax/upload.php:91 msgid "Not enough storage available" msgstr "No hi ha prou espai disponible" -#: ajax/upload.php:119 +#: ajax/upload.php:123 msgid "Invalid directory." msgstr "Directori no vàlid." @@ -129,43 +130,43 @@ msgstr "Esborra" msgid "Rename" msgstr "Reanomena" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:464 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:465 msgid "Pending" msgstr "Pendent" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "{new_name} already exists" msgstr "{new_name} ja existeix" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "replace" msgstr "substitueix" -#: js/filelist.js:302 +#: js/filelist.js:303 msgid "suggest name" msgstr "sugereix un nom" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "cancel" msgstr "cancel·la" -#: js/filelist.js:349 +#: js/filelist.js:350 msgid "replaced {new_name} with {old_name}" msgstr "s'ha substituït {old_name} per {new_name}" -#: js/filelist.js:349 +#: js/filelist.js:350 msgid "undo" msgstr "desfés" -#: js/filelist.js:374 +#: js/filelist.js:375 msgid "perform delete operation" msgstr "executa d'operació d'esborrar" -#: js/filelist.js:456 +#: js/filelist.js:457 msgid "1 file uploading" msgstr "1 fitxer pujant" -#: js/filelist.js:459 js/filelist.js:517 +#: js/filelist.js:460 js/filelist.js:518 msgid "files uploading" msgstr "fitxers pujant" @@ -213,26 +214,26 @@ msgstr "Mida" msgid "Modified" msgstr "Modificat" -#: js/files.js:765 +#: js/files.js:763 msgid "1 folder" msgstr "1 carpeta" -#: js/files.js:767 +#: js/files.js:765 msgid "{count} folders" msgstr "{count} carpetes" -#: js/files.js:775 +#: js/files.js:773 msgid "1 file" msgstr "1 fitxer" -#: js/files.js:777 +#: js/files.js:775 msgid "{count} files" msgstr "{count} fitxers" #: lib/app.php:73 #, php-format msgid "%s could not be renamed" -msgstr "" +msgstr "%s no es pot canviar el nom" #: lib/helper.php:11 templates/index.php:18 msgid "Upload" @@ -328,19 +329,19 @@ msgstr "S'estan escanejant els fitxers, espereu" msgid "Current scanning" msgstr "Actualment escanejant" -#: templates/part.list.php:78 +#: templates/part.list.php:74 msgid "directory" -msgstr "" +msgstr "directori" -#: templates/part.list.php:80 +#: templates/part.list.php:76 msgid "directories" -msgstr "" +msgstr "directoris" -#: templates/part.list.php:89 +#: templates/part.list.php:85 msgid "file" msgstr "fitxer" -#: templates/part.list.php:91 +#: templates/part.list.php:87 msgid "files" msgstr "fitxers" diff --git a/l10n/ca/files_encryption.po b/l10n/ca/files_encryption.po index eaef93d687..7e7d5f535e 100644 --- a/l10n/ca/files_encryption.po +++ b/l10n/ca/files_encryption.po @@ -5,13 +5,14 @@ # Translators: # rogerc, 2013 # Jordi Vilalta Prat , 2013 +# Josep Tomàs , 2013 msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:12+0200\n" -"PO-Revision-Date: 2013-07-05 00:13+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-07-06 02:01+0200\n" +"PO-Revision-Date: 2013-07-05 15:50+0000\n" +"Last-Translator: Josep Tomàs \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" @@ -61,18 +62,18 @@ msgid "" "ownCloud system (e.g. your corporate directory). You can update your private" " key password in your personal settings to recover access to your encrypted " "files." -msgstr "" +msgstr "La clau privada no és vàlida! Probablement la contrasenya va ser canviada des de fora del sistema ownCloud (per exemple, en el directori de l'empresa). Vostè pot actualitzar la contrasenya de clau privada en la seva configuració personal per poder recuperar l'accés en els arxius xifrats." #: hooks/hooks.php:44 msgid "Missing requirements." -msgstr "" +msgstr "Manca de requisits." #: hooks/hooks.php:45 msgid "" "Please make sure that PHP 5.3.3 or newer is installed and that the OpenSSL " "PHP extension is enabled and configured properly. For now, the encryption " "app has been disabled." -msgstr "" +msgstr "Assegureu-vos que teniu instal·lada la versió de PHP 5.3.3 o posterior, i que teniu l'extensió OpenSSL PHP activada i configurada correctament. Per ara, l'aplicació de xifrat esta desactivada." #: js/settings-admin.js:11 msgid "Saving..." diff --git a/l10n/ca/files_external.po b/l10n/ca/files_external.po index 8534e26563..66a1a76942 100644 --- a/l10n/ca/files_external.po +++ b/l10n/ca/files_external.po @@ -8,8 +8,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: rogerc\n" "Language-Team: Catalan (http://www.transifex.com/projects/p/owncloud/language/ca/)\n" "MIME-Version: 1.0\n" @@ -38,20 +38,20 @@ msgstr "Proporcioneu una clau d'aplicació i secret vàlids per a Dropbox" msgid "Error configuring Google Drive storage" msgstr "Error en configurar l'emmagatzemament Google Drive" -#: lib/config.php:431 +#: lib/config.php:447 msgid "" "Warning: \"smbclient\" is not installed. Mounting of CIFS/SMB shares " "is not possible. Please ask your system administrator to install it." msgstr "Avís: \"smbclient\" no està instal·lat. No es pot muntar la compartició CIFS/SMB. Demaneu a l'administrador del sistema que l'instal·li." -#: lib/config.php:434 +#: lib/config.php:450 msgid "" "Warning: The FTP support in PHP is not enabled or installed. Mounting" " of FTP shares is not possible. Please ask your system administrator to " "install it." msgstr "Avís: El suport FTP per PHP no està activat o no està instal·lat. No es pot muntar la compartició FTP. Demaneu a l'administrador del sistema que l'instal·li." -#: lib/config.php:437 +#: lib/config.php:453 msgid "" "Warning: The Curl support in PHP is not enabled or installed. " "Mounting of ownCloud / WebDAV or GoogleDrive is not possible. Please ask " diff --git a/l10n/ca/files_sharing.po b/l10n/ca/files_sharing.po index 9e5977b160..ba3ffec06a 100644 --- a/l10n/ca/files_sharing.po +++ b/l10n/ca/files_sharing.po @@ -3,13 +3,14 @@ # This file is distributed under the same license as the PACKAGE package. # # Translators: +# rogerc, 2013 msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:13+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" +"Last-Translator: rogerc\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" @@ -19,7 +20,7 @@ msgstr "" #: templates/authenticate.php:4 msgid "The password is wrong. Try again." -msgstr "" +msgstr "la contrasenya és incorrecta. Intenteu-ho de nou." #: templates/authenticate.php:7 msgid "Password" @@ -39,18 +40,18 @@ msgstr "%s ha compartit la carpeta %s amb vós" msgid "%s shared the file %s with you" msgstr "%s ha compartit el fitxer %s amb vós" -#: templates/public.php:28 templates/public.php:86 +#: templates/public.php:28 templates/public.php:90 msgid "Download" msgstr "Baixa" -#: templates/public.php:44 +#: templates/public.php:45 templates/public.php:48 msgid "Upload" msgstr "Puja" -#: templates/public.php:54 +#: templates/public.php:58 msgid "Cancel upload" msgstr "Cancel·la la pujada" -#: templates/public.php:83 +#: templates/public.php:87 msgid "No preview available for" msgstr "No hi ha vista prèvia disponible per a" diff --git a/l10n/ca/files_trashbin.po b/l10n/ca/files_trashbin.po index 4681c1b935..40d0345aea 100644 --- a/l10n/ca/files_trashbin.po +++ b/l10n/ca/files_trashbin.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: I Robot \n" "Language-Team: Catalan (http://www.transifex.com/projects/p/owncloud/language/ca/)\n" "MIME-Version: 1.0\n" diff --git a/l10n/ca/lib.po b/l10n/ca/lib.po index fdb8edcebf..8f316d07db 100644 --- a/l10n/ca/lib.po +++ b/l10n/ca/lib.po @@ -8,8 +8,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:13+0000\n" +"POT-Creation-Date: 2013-07-24 01:55-0400\n" +"PO-Revision-Date: 2013-07-24 05:55+0000\n" "Last-Translator: I Robot \n" "Language-Team: Catalan (http://www.transifex.com/projects/p/owncloud/language/ca/)\n" "MIME-Version: 1.0\n" @@ -42,27 +42,43 @@ msgstr "Aplicacions" msgid "Admin" msgstr "Administració" -#: defaults.php:33 -msgid "web services under your control" +#: app.php:844 +#, php-format +msgid "Failed to upgrade \"%s\"." msgstr "" -#: files.php:210 +#: defaults.php:33 +msgid "web services under your control" +msgstr "controleu els vostres serveis web" + +#: files.php:66 files.php:98 +#, php-format +msgid "cannot open \"%s\"" +msgstr "" + +#: files.php:226 msgid "ZIP download is turned off." msgstr "La baixada en ZIP està desactivada." -#: files.php:211 +#: files.php:227 msgid "Files need to be downloaded one by one." msgstr "Els fitxers s'han de baixar d'un en un." -#: files.php:212 files.php:245 +#: files.php:228 files.php:256 msgid "Back to Files" msgstr "Torna a Fitxers" -#: files.php:242 +#: files.php:253 msgid "Selected files too large to generate zip file." msgstr "Els fitxers seleccionats son massa grans per generar un fitxer zip." -#: helper.php:236 +#: files.php:254 +msgid "" +"Download the files in smaller chunks, seperately or kindly ask your " +"administrator." +msgstr "" + +#: helper.php:235 msgid "couldn't be determined" msgstr "no s'ha pogut determinar" @@ -171,77 +187,81 @@ msgstr "L'ordre en conflicte és: \"%s\", nom: %s, contrasenya: %s" msgid "PostgreSQL username and/or password not valid" msgstr "Nom d'usuari i/o contrasenya PostgreSQL no vàlids" -#: setup.php:42 +#: setup.php:28 msgid "Set an admin username." msgstr "Establiu un nom d'usuari per l'administrador." -#: setup.php:45 +#: setup.php:31 msgid "Set an admin password." msgstr "Establiu una contrasenya per l'administrador." -#: setup.php:198 +#: setup.php:184 msgid "" "Your web server is not yet properly setup to allow files synchronization " "because the WebDAV interface seems to be broken." msgstr "El servidor web no està configurat correctament per permetre la sincronització de fitxers perquè la interfície WebDAV sembla no funcionar correctament." -#: setup.php:199 +#: setup.php:185 #, php-format msgid "Please double check the installation guides." msgstr "Comproveu les guies d'instal·lació." -#: template.php:113 +#: template/functions.php:80 msgid "seconds ago" msgstr "segons enrere" -#: template.php:114 +#: template/functions.php:81 msgid "1 minute ago" msgstr "fa 1 minut" -#: template.php:115 +#: template/functions.php:82 #, php-format msgid "%d minutes ago" msgstr "fa %d minuts" -#: template.php:116 +#: template/functions.php:83 msgid "1 hour ago" msgstr "fa 1 hora" -#: template.php:117 +#: template/functions.php:84 #, php-format msgid "%d hours ago" msgstr "fa %d hores" -#: template.php:118 +#: template/functions.php:85 msgid "today" msgstr "avui" -#: template.php:119 +#: template/functions.php:86 msgid "yesterday" msgstr "ahir" -#: template.php:120 +#: template/functions.php:87 #, php-format msgid "%d days ago" msgstr "fa %d dies" -#: template.php:121 +#: template/functions.php:88 msgid "last month" msgstr "el mes passat" -#: template.php:122 +#: template/functions.php:89 #, php-format msgid "%d months ago" msgstr "fa %d mesos" -#: template.php:123 +#: template/functions.php:90 msgid "last year" msgstr "l'any passat" -#: template.php:124 +#: template/functions.php:91 msgid "years ago" msgstr "anys enrere" +#: template.php:296 +msgid "Caused by:" +msgstr "" + #: vcategories.php:188 vcategories.php:249 #, php-format msgid "Could not find category \"%s\"" diff --git a/l10n/ca/settings.po b/l10n/ca/settings.po index 65bdf73f5b..5feb4f36bd 100644 --- a/l10n/ca/settings.po +++ b/l10n/ca/settings.po @@ -9,9 +9,9 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" -"Last-Translator: rogerc\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:55+0000\n" +"Last-Translator: I Robot \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" @@ -275,62 +275,71 @@ msgstr "Permet enllaços" msgid "Allow users to share items to the public with links" msgstr "Permet als usuaris compartir elements amb el públic amb enllaços" -#: templates/admin.php:152 +#: templates/admin.php:153 +msgid "Allow public uploads" +msgstr "" + +#: templates/admin.php:154 +msgid "" +"Allow users to enable others to upload into their publicly shared folders" +msgstr "" + +#: templates/admin.php:162 msgid "Allow resharing" msgstr "Permet compartir de nou" -#: templates/admin.php:153 +#: templates/admin.php:163 msgid "Allow users to share items shared with them again" msgstr "Permet als usuaris compartir de nou elements ja compartits amb ells" -#: templates/admin.php:160 +#: templates/admin.php:170 msgid "Allow users to share with anyone" msgstr "Permet compartir amb qualsevol" -#: templates/admin.php:163 +#: templates/admin.php:173 msgid "Allow users to only share with users in their groups" msgstr "Permet als usuaris compartir només amb els usuaris del seu grup" -#: templates/admin.php:170 +#: templates/admin.php:180 msgid "Security" msgstr "Seguretat" -#: templates/admin.php:183 +#: templates/admin.php:193 msgid "Enforce HTTPS" msgstr "Força HTTPS" -#: templates/admin.php:184 +#: templates/admin.php:194 msgid "" "Enforces the clients to connect to ownCloud via an encrypted connection." msgstr "Força als clients la connexió amb ownCloud via una connexió encriptada." -#: templates/admin.php:187 +#: templates/admin.php:197 msgid "" "Please connect to this ownCloud instance via HTTPS to enable or disable the " "SSL enforcement." msgstr "Connecteu aquesta instància onwCloud via HTTPS per habilitar o deshabilitar el forçament SSL." -#: templates/admin.php:197 +#: templates/admin.php:207 msgid "Log" msgstr "Registre" -#: templates/admin.php:198 +#: templates/admin.php:208 msgid "Log level" msgstr "Nivell de registre" -#: templates/admin.php:229 +#: templates/admin.php:239 msgid "More" msgstr "Més" -#: templates/admin.php:230 +#: templates/admin.php:240 msgid "Less" msgstr "Menys" -#: templates/admin.php:236 templates/personal.php:116 +#: templates/admin.php:246 templates/personal.php:116 msgid "Version" msgstr "Versió" -#: templates/admin.php:240 templates/personal.php:119 +#: templates/admin.php:250 templates/personal.php:119 msgid "" "Developed by the ownCloud community, the access your Files via WebDAV" +msgstr "Useu aquesta adreça per accedir als fitxers via WebDAV" #: templates/users.php:21 msgid "Login Name" diff --git a/l10n/ca/user_ldap.po b/l10n/ca/user_ldap.po index 3cec288bb7..015cd684c5 100644 --- a/l10n/ca/user_ldap.po +++ b/l10n/ca/user_ldap.po @@ -8,8 +8,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: rogerc\n" "Language-Team: Catalan (http://www.transifex.com/projects/p/owncloud/language/ca/)\n" "MIME-Version: 1.0\n" diff --git a/l10n/cs_CZ/core.po b/l10n/cs_CZ/core.po index 9138ea0101..34ef4330d8 100644 --- a/l10n/cs_CZ/core.po +++ b/l10n/cs_CZ/core.po @@ -9,9 +9,9 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:12+0000\n" -"Last-Translator: Tomáš Chvátal \n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:04+0000\n" +"Last-Translator: I Robot \n" "Language-Team: Czech (Czech Republic) (http://www.transifex.com/projects/p/owncloud/language/cs_CZ/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -139,59 +139,59 @@ msgstr "Listopad" msgid "December" msgstr "Prosinec" -#: js/js.js:289 +#: js/js.js:293 msgid "Settings" msgstr "Nastavení" -#: js/js.js:721 +#: js/js.js:715 msgid "seconds ago" msgstr "před pár vteřinami" -#: js/js.js:722 +#: js/js.js:716 msgid "1 minute ago" msgstr "před minutou" -#: js/js.js:723 +#: js/js.js:717 msgid "{minutes} minutes ago" msgstr "před {minutes} minutami" -#: js/js.js:724 +#: js/js.js:718 msgid "1 hour ago" msgstr "před hodinou" -#: js/js.js:725 +#: js/js.js:719 msgid "{hours} hours ago" msgstr "před {hours} hodinami" -#: js/js.js:726 +#: js/js.js:720 msgid "today" msgstr "dnes" -#: js/js.js:727 +#: js/js.js:721 msgid "yesterday" msgstr "včera" -#: js/js.js:728 +#: js/js.js:722 msgid "{days} days ago" msgstr "před {days} dny" -#: js/js.js:729 +#: js/js.js:723 msgid "last month" msgstr "minulý měsíc" -#: js/js.js:730 +#: js/js.js:724 msgid "{months} months ago" msgstr "před {months} měsíci" -#: js/js.js:731 +#: js/js.js:725 msgid "months ago" msgstr "před měsíci" -#: js/js.js:732 +#: js/js.js:726 msgid "last year" msgstr "minulý rok" -#: js/js.js:733 +#: js/js.js:727 msgid "years ago" msgstr "před lety" @@ -227,8 +227,8 @@ msgstr "Není určen typ objektu." #: js/oc-vcategories.js:14 js/oc-vcategories.js:80 js/oc-vcategories.js:95 #: js/oc-vcategories.js:110 js/oc-vcategories.js:125 js/oc-vcategories.js:136 #: js/oc-vcategories.js:172 js/oc-vcategories.js:189 js/oc-vcategories.js:195 -#: js/oc-vcategories.js:199 js/share.js:136 js/share.js:143 js/share.js:618 -#: js/share.js:630 +#: js/oc-vcategories.js:199 js/share.js:136 js/share.js:143 js/share.js:625 +#: js/share.js:637 msgid "Error" msgstr "Chyba" @@ -248,7 +248,7 @@ msgstr "Sdílené" msgid "Share" msgstr "Sdílet" -#: js/share.js:125 js/share.js:658 +#: js/share.js:125 js/share.js:665 msgid "Error while sharing" msgstr "Chyba při sdílení" @@ -268,114 +268,114 @@ msgstr "S Vámi a skupinou {group} sdílí {owner}" msgid "Shared with you by {owner}" msgstr "S Vámi sdílí {owner}" -#: js/share.js:172 +#: js/share.js:177 msgid "Share with" msgstr "Sdílet s" -#: js/share.js:177 +#: js/share.js:182 msgid "Share with link" msgstr "Sdílet s odkazem" -#: js/share.js:180 +#: js/share.js:185 msgid "Password protect" msgstr "Chránit heslem" -#: js/share.js:182 templates/installation.php:54 templates/login.php:26 +#: js/share.js:187 templates/installation.php:54 templates/login.php:26 msgid "Password" msgstr "Heslo" -#: js/share.js:186 +#: js/share.js:192 msgid "Allow Public Upload" msgstr "Povolit veřejné nahrávání" -#: js/share.js:189 +#: js/share.js:196 msgid "Email link to person" msgstr "Odeslat osobě odkaz e-mailem" -#: js/share.js:190 +#: js/share.js:197 msgid "Send" msgstr "Odeslat" -#: js/share.js:195 +#: js/share.js:202 msgid "Set expiration date" msgstr "Nastavit datum vypršení platnosti" -#: js/share.js:196 +#: js/share.js:203 msgid "Expiration date" msgstr "Datum vypršení platnosti" -#: js/share.js:228 +#: js/share.js:235 msgid "Share via email:" msgstr "Sdílet e-mailem:" -#: js/share.js:230 +#: js/share.js:237 msgid "No people found" msgstr "Žádní lidé nenalezeni" -#: js/share.js:268 +#: js/share.js:275 msgid "Resharing is not allowed" msgstr "Sdílení již sdílené položky není povoleno" -#: js/share.js:304 +#: js/share.js:311 msgid "Shared in {item} with {user}" msgstr "Sdíleno v {item} s {user}" -#: js/share.js:325 +#: js/share.js:332 msgid "Unshare" msgstr "Zrušit sdílení" -#: js/share.js:337 +#: js/share.js:344 msgid "can edit" msgstr "lze upravovat" -#: js/share.js:339 +#: js/share.js:346 msgid "access control" msgstr "řízení přístupu" -#: js/share.js:342 +#: js/share.js:349 msgid "create" msgstr "vytvořit" -#: js/share.js:345 +#: js/share.js:352 msgid "update" msgstr "aktualizovat" -#: js/share.js:348 +#: js/share.js:355 msgid "delete" msgstr "smazat" -#: js/share.js:351 +#: js/share.js:358 msgid "share" msgstr "sdílet" -#: js/share.js:385 js/share.js:605 +#: js/share.js:392 js/share.js:612 msgid "Password protected" msgstr "Chráněno heslem" -#: js/share.js:618 +#: js/share.js:625 msgid "Error unsetting expiration date" msgstr "Chyba při odstraňování data vypršení platnosti" -#: js/share.js:630 +#: js/share.js:637 msgid "Error setting expiration date" msgstr "Chyba při nastavení data vypršení platnosti" -#: js/share.js:645 +#: js/share.js:652 msgid "Sending ..." msgstr "Odesílám ..." -#: js/share.js:656 +#: js/share.js:663 msgid "Email sent" msgstr "E-mail odeslán" -#: js/update.js:14 +#: js/update.js:17 msgid "" "The update was unsuccessful. Please report this issue to the ownCloud " "community." msgstr "Aktualizace neproběhla úspěšně. Nahlaste prosím problém do evidence chyb ownCloud" -#: js/update.js:18 +#: js/update.js:21 msgid "The update was successful. Redirecting you to ownCloud now." msgstr "Aktualizace byla úspěšná. Přesměrovávám na ownCloud." @@ -467,7 +467,7 @@ msgstr "Přístup zakázán" msgid "Cloud not found" msgstr "Cloud nebyl nalezen" -#: templates/altmail.php:2 +#: templates/altmail.php:4 #, php-format msgid "" "Hey there,\n" @@ -478,10 +478,6 @@ msgid "" "Cheers!" msgstr "Ahoj,\n\njenom vám chci oznámit že %s s vámi sdílí %s.\nPodívat se můžete zde: %s\n\nDíky" -#: templates/altmail.php:7 templates/mail.php:24 -msgid "web services under your control" -msgstr "služby webu pod Vaší kontrolou" - #: templates/edit_categories_dialog.php:4 msgid "Edit categories" msgstr "Upravit kategorie" @@ -613,7 +609,7 @@ msgstr "Přihlásit" msgid "Alternative Logins" msgstr "Alternativní přihlášení" -#: templates/mail.php:15 +#: templates/mail.php:16 #, php-format msgid "" "Hey there,

    just letting you know that %s shared »%s« with you.
    \n" "Language-Team: Czech (Czech Republic) (http://www.transifex.com/projects/p/owncloud/language/cs_CZ/)\n" "MIME-Version: 1.0\n" @@ -29,54 +29,54 @@ msgstr "Nelze přesunout %s - existuje soubor se stejným názvem" msgid "Could not move %s" msgstr "Nelze přesunout %s" -#: ajax/upload.php:16 ajax/upload.php:39 +#: ajax/upload.php:16 ajax/upload.php:45 msgid "Unable to set upload directory." msgstr "Nelze nastavit adresář pro nahrané soubory." -#: ajax/upload.php:23 +#: ajax/upload.php:22 msgid "Invalid Token" msgstr "Neplatný token" -#: ajax/upload.php:55 +#: ajax/upload.php:59 msgid "No file was uploaded. Unknown error" msgstr "Soubor nebyl odeslán. Neznámá chyba" -#: ajax/upload.php:62 +#: ajax/upload.php:66 msgid "There is no error, the file uploaded with success" msgstr "Soubor byl odeslán úspěšně" -#: ajax/upload.php:63 +#: ajax/upload.php:67 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:65 +#: ajax/upload.php:69 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:66 +#: ajax/upload.php:70 msgid "The uploaded file was only partially uploaded" msgstr "Soubor byl odeslán pouze částečně" -#: ajax/upload.php:67 +#: ajax/upload.php:71 msgid "No file was uploaded" msgstr "Žádný soubor nebyl odeslán" -#: ajax/upload.php:68 +#: ajax/upload.php:72 msgid "Missing a temporary folder" msgstr "Chybí adresář pro dočasné soubory" -#: ajax/upload.php:69 +#: ajax/upload.php:73 msgid "Failed to write to disk" msgstr "Zápis na disk selhal" -#: ajax/upload.php:87 +#: ajax/upload.php:91 msgid "Not enough storage available" msgstr "Nedostatek dostupného úložného prostoru" -#: ajax/upload.php:119 +#: ajax/upload.php:123 msgid "Invalid directory." msgstr "Neplatný adresář" @@ -130,43 +130,43 @@ msgstr "Smazat" msgid "Rename" msgstr "Přejmenovat" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:464 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:465 msgid "Pending" msgstr "Nevyřízené" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "{new_name} already exists" msgstr "{new_name} již existuje" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "replace" msgstr "nahradit" -#: js/filelist.js:302 +#: js/filelist.js:303 msgid "suggest name" msgstr "navrhnout název" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "cancel" msgstr "zrušit" -#: js/filelist.js:349 +#: js/filelist.js:350 msgid "replaced {new_name} with {old_name}" msgstr "nahrazeno {new_name} s {old_name}" -#: js/filelist.js:349 +#: js/filelist.js:350 msgid "undo" msgstr "zpět" -#: js/filelist.js:374 +#: js/filelist.js:375 msgid "perform delete operation" msgstr "provést smazání" -#: js/filelist.js:456 +#: js/filelist.js:457 msgid "1 file uploading" msgstr "odesílá se 1 soubor" -#: js/filelist.js:459 js/filelist.js:517 +#: js/filelist.js:460 js/filelist.js:518 msgid "files uploading" msgstr "soubory se odesílají" @@ -214,19 +214,19 @@ msgstr "Velikost" msgid "Modified" msgstr "Upraveno" -#: js/files.js:765 +#: js/files.js:763 msgid "1 folder" msgstr "1 složka" -#: js/files.js:767 +#: js/files.js:765 msgid "{count} folders" msgstr "{count} složky" -#: js/files.js:775 +#: js/files.js:773 msgid "1 file" msgstr "1 soubor" -#: js/files.js:777 +#: js/files.js:775 msgid "{count} files" msgstr "{count} soubory" @@ -329,19 +329,19 @@ msgstr "Soubory se prohledávají, prosím čekejte." msgid "Current scanning" msgstr "Aktuální prohledávání" -#: templates/part.list.php:78 +#: templates/part.list.php:74 msgid "directory" msgstr "" -#: templates/part.list.php:80 +#: templates/part.list.php:76 msgid "directories" msgstr "" -#: templates/part.list.php:89 +#: templates/part.list.php:85 msgid "file" msgstr "soubor" -#: templates/part.list.php:91 +#: templates/part.list.php:87 msgid "files" msgstr "soubory" diff --git a/l10n/cs_CZ/files_encryption.po b/l10n/cs_CZ/files_encryption.po index 1d95d95e25..32b3711e2c 100644 --- a/l10n/cs_CZ/files_encryption.po +++ b/l10n/cs_CZ/files_encryption.po @@ -9,9 +9,9 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:12+0200\n" -"PO-Revision-Date: 2013-07-05 00:13+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-07-14 02:02+0200\n" +"PO-Revision-Date: 2013-07-13 21:40+0000\n" +"Last-Translator: Honza K. \n" "Language-Team: Czech (Czech Republic) (http://www.transifex.com/projects/p/owncloud/language/cs_CZ/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -90,7 +90,7 @@ msgstr "" #: templates/invalid_private_key.php:7 msgid "personal settings" -msgstr "" +msgstr "osobní nastavení" #: templates/settings-admin.php:5 templates/settings-personal.php:4 msgid "Encryption" @@ -145,11 +145,11 @@ msgstr "" #: templates/settings-personal.php:24 msgid "Old log-in password" -msgstr "" +msgstr "Staré přihlašovací heslo" #: templates/settings-personal.php:30 msgid "Current log-in password" -msgstr "" +msgstr "Aktuální přihlašovací heslo" #: templates/settings-personal.php:35 msgid "Update Private Key Password" diff --git a/l10n/cs_CZ/files_external.po b/l10n/cs_CZ/files_external.po index 99080f6468..d1284c351c 100644 --- a/l10n/cs_CZ/files_external.po +++ b/l10n/cs_CZ/files_external.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: I Robot \n" "Language-Team: Czech (Czech Republic) (http://www.transifex.com/projects/p/owncloud/language/cs_CZ/)\n" "MIME-Version: 1.0\n" @@ -37,20 +37,20 @@ msgstr "Zadejte, prosím, platný klíč a bezpečnostní frázi aplikace Dropbo msgid "Error configuring Google Drive storage" msgstr "Chyba při nastavení úložiště Google Drive" -#: lib/config.php:431 +#: lib/config.php:447 msgid "" "Warning: \"smbclient\" is not installed. Mounting of CIFS/SMB shares " "is not possible. Please ask your system administrator to install it." msgstr "Varování: není nainstalován program \"smbclient\". Není možné připojení oddílů CIFS/SMB. Prosím požádejte svého správce systému ať jej nainstaluje." -#: lib/config.php:434 +#: lib/config.php:450 msgid "" "Warning: The FTP support in PHP is not enabled or installed. Mounting" " of FTP shares is not possible. Please ask your system administrator to " "install it." msgstr "Varování: není nainstalována, nebo povolena, podpora FTP v PHP. Není možné připojení oddílů FTP. Prosím požádejte svého správce systému ať ji nainstaluje." -#: lib/config.php:437 +#: lib/config.php:453 msgid "" "Warning: The Curl support in PHP is not enabled or installed. " "Mounting of ownCloud / WebDAV or GoogleDrive is not possible. Please ask " diff --git a/l10n/cs_CZ/files_sharing.po b/l10n/cs_CZ/files_sharing.po index 0043decb9d..eb58d44f78 100644 --- a/l10n/cs_CZ/files_sharing.po +++ b/l10n/cs_CZ/files_sharing.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:13+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: I Robot \n" "Language-Team: Czech (Czech Republic) (http://www.transifex.com/projects/p/owncloud/language/cs_CZ/)\n" "MIME-Version: 1.0\n" @@ -39,18 +39,18 @@ msgstr "%s s Vámi sdílí složku %s" msgid "%s shared the file %s with you" msgstr "%s s Vámi sdílí soubor %s" -#: templates/public.php:28 templates/public.php:86 +#: templates/public.php:28 templates/public.php:90 msgid "Download" msgstr "Stáhnout" -#: templates/public.php:44 +#: templates/public.php:45 templates/public.php:48 msgid "Upload" msgstr "Odeslat" -#: templates/public.php:54 +#: templates/public.php:58 msgid "Cancel upload" msgstr "Zrušit odesílání" -#: templates/public.php:83 +#: templates/public.php:87 msgid "No preview available for" msgstr "Náhled není dostupný pro" diff --git a/l10n/cs_CZ/files_trashbin.po b/l10n/cs_CZ/files_trashbin.po index 758837aa50..4f125de948 100644 --- a/l10n/cs_CZ/files_trashbin.po +++ b/l10n/cs_CZ/files_trashbin.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: I Robot \n" "Language-Team: Czech (Czech Republic) (http://www.transifex.com/projects/p/owncloud/language/cs_CZ/)\n" "MIME-Version: 1.0\n" diff --git a/l10n/cs_CZ/lib.po b/l10n/cs_CZ/lib.po index 590145f5ff..d19bbe4bb9 100644 --- a/l10n/cs_CZ/lib.po +++ b/l10n/cs_CZ/lib.po @@ -8,8 +8,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:13+0000\n" +"POT-Creation-Date: 2013-07-24 01:55-0400\n" +"PO-Revision-Date: 2013-07-24 05:55+0000\n" "Last-Translator: I Robot \n" "Language-Team: Czech (Czech Republic) (http://www.transifex.com/projects/p/owncloud/language/cs_CZ/)\n" "MIME-Version: 1.0\n" @@ -42,27 +42,43 @@ msgstr "Aplikace" msgid "Admin" msgstr "Administrace" -#: defaults.php:33 -msgid "web services under your control" +#: app.php:844 +#, php-format +msgid "Failed to upgrade \"%s\"." msgstr "" -#: files.php:210 +#: defaults.php:33 +msgid "web services under your control" +msgstr "služby webu pod Vaší kontrolou" + +#: files.php:66 files.php:98 +#, php-format +msgid "cannot open \"%s\"" +msgstr "" + +#: files.php:226 msgid "ZIP download is turned off." msgstr "Stahování ZIPu je vypnuto." -#: files.php:211 +#: files.php:227 msgid "Files need to be downloaded one by one." msgstr "Soubory musí být stahovány jednotlivě." -#: files.php:212 files.php:245 +#: files.php:228 files.php:256 msgid "Back to Files" msgstr "Zpět k souborům" -#: files.php:242 +#: files.php:253 msgid "Selected files too large to generate zip file." msgstr "Vybrané soubory jsou příliš velké pro vytvoření zip souboru." -#: helper.php:236 +#: files.php:254 +msgid "" +"Download the files in smaller chunks, seperately or kindly ask your " +"administrator." +msgstr "" + +#: helper.php:235 msgid "couldn't be determined" msgstr "nelze zjistit" @@ -171,77 +187,81 @@ msgstr "Podezřelý příkaz byl: \"%s\", jméno: %s, heslo: %s" msgid "PostgreSQL username and/or password not valid" msgstr "Uživatelské jméno, či heslo PostgreSQL není platné" -#: setup.php:42 +#: setup.php:28 msgid "Set an admin username." msgstr "Zadejte uživatelské jméno správce." -#: setup.php:45 +#: setup.php:31 msgid "Set an admin password." msgstr "Zadejte heslo správce." -#: setup.php:198 +#: setup.php:184 msgid "" "Your web server is not yet properly setup to allow files synchronization " "because the WebDAV interface seems to be broken." msgstr "Váš webový server není správně nastaven pro umožnění synchronizace, protože rozhraní WebDAV je rozbité." -#: setup.php:199 +#: setup.php:185 #, php-format msgid "Please double check the installation guides." msgstr "Zkonzultujte, prosím, průvodce instalací." -#: template.php:113 +#: template/functions.php:80 msgid "seconds ago" msgstr "před pár vteřinami" -#: template.php:114 +#: template/functions.php:81 msgid "1 minute ago" msgstr "před minutou" -#: template.php:115 +#: template/functions.php:82 #, php-format msgid "%d minutes ago" msgstr "před %d minutami" -#: template.php:116 +#: template/functions.php:83 msgid "1 hour ago" msgstr "před hodinou" -#: template.php:117 +#: template/functions.php:84 #, php-format msgid "%d hours ago" msgstr "před %d hodinami" -#: template.php:118 +#: template/functions.php:85 msgid "today" msgstr "dnes" -#: template.php:119 +#: template/functions.php:86 msgid "yesterday" msgstr "včera" -#: template.php:120 +#: template/functions.php:87 #, php-format msgid "%d days ago" msgstr "před %d dny" -#: template.php:121 +#: template/functions.php:88 msgid "last month" msgstr "minulý měsíc" -#: template.php:122 +#: template/functions.php:89 #, php-format msgid "%d months ago" msgstr "Před %d měsíci" -#: template.php:123 +#: template/functions.php:90 msgid "last year" msgstr "minulý rok" -#: template.php:124 +#: template/functions.php:91 msgid "years ago" msgstr "před lety" +#: template.php:296 +msgid "Caused by:" +msgstr "" + #: vcategories.php:188 vcategories.php:249 #, php-format msgid "Could not find category \"%s\"" diff --git a/l10n/cs_CZ/settings.po b/l10n/cs_CZ/settings.po index b94f900a6d..48b0341583 100644 --- a/l10n/cs_CZ/settings.po +++ b/l10n/cs_CZ/settings.po @@ -3,13 +3,14 @@ # This file is distributed under the same license as the PACKAGE package. # # Translators: +# Honza K. , 2013 # Tomáš Chvátal , 2013 msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:55+0000\n" "Last-Translator: I Robot \n" "Language-Team: Czech (Czech Republic) (http://www.transifex.com/projects/p/owncloud/language/cs_CZ/)\n" "MIME-Version: 1.0\n" @@ -274,62 +275,71 @@ msgstr "Povolit odkazy" msgid "Allow users to share items to the public with links" msgstr "Povolit uživatelům sdílet položky s veřejností pomocí odkazů" -#: templates/admin.php:152 +#: templates/admin.php:153 +msgid "Allow public uploads" +msgstr "" + +#: templates/admin.php:154 +msgid "" +"Allow users to enable others to upload into their publicly shared folders" +msgstr "" + +#: templates/admin.php:162 msgid "Allow resharing" msgstr "Povolit znovu-sdílení" -#: templates/admin.php:153 +#: templates/admin.php:163 msgid "Allow users to share items shared with them again" msgstr "Povolit uživatelům znovu sdílet položky, které jsou pro ně sdíleny" -#: templates/admin.php:160 +#: templates/admin.php:170 msgid "Allow users to share with anyone" msgstr "Povolit uživatelům sdílet s kýmkoliv" -#: templates/admin.php:163 +#: templates/admin.php:173 msgid "Allow users to only share with users in their groups" msgstr "Povolit uživatelům sdílet pouze s uživateli v jejich skupinách" -#: templates/admin.php:170 +#: templates/admin.php:180 msgid "Security" msgstr "Zabezpečení" -#: templates/admin.php:183 +#: templates/admin.php:193 msgid "Enforce HTTPS" msgstr "Vynutit HTTPS" -#: templates/admin.php:184 +#: templates/admin.php:194 msgid "" "Enforces the clients to connect to ownCloud via an encrypted connection." msgstr "Vynutí připojování klientů ownCloud skrze šifrované spojení." -#: templates/admin.php:187 +#: templates/admin.php:197 msgid "" "Please connect to this ownCloud instance via HTTPS to enable or disable the " "SSL enforcement." msgstr "Připojte se, prosím, k této instanci ownCloud skrze HTTPS pro povolení, nebo zakažte vynucení SSL." -#: templates/admin.php:197 +#: templates/admin.php:207 msgid "Log" msgstr "Záznam" -#: templates/admin.php:198 +#: templates/admin.php:208 msgid "Log level" msgstr "Úroveň záznamu" -#: templates/admin.php:229 +#: templates/admin.php:239 msgid "More" msgstr "Více" -#: templates/admin.php:230 +#: templates/admin.php:240 msgid "Less" msgstr "Méně" -#: templates/admin.php:236 templates/personal.php:116 +#: templates/admin.php:246 templates/personal.php:116 msgid "Version" msgstr "Verze" -#: templates/admin.php:240 templates/personal.php:119 +#: templates/admin.php:250 templates/personal.php:119 msgid "" "Developed by the ownCloud community, the access your Files via WebDAV" +msgstr "Použijte tuto adresu pro přístup k vašim souborům přes WebDAV" #: templates/users.php:21 msgid "Login Name" diff --git a/l10n/cs_CZ/user_ldap.po b/l10n/cs_CZ/user_ldap.po index 865a34ee5d..60fee69d10 100644 --- a/l10n/cs_CZ/user_ldap.po +++ b/l10n/cs_CZ/user_ldap.po @@ -9,8 +9,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: Tomáš Chvátal \n" "Language-Team: Czech (Czech Republic) (http://www.transifex.com/projects/p/owncloud/language/cs_CZ/)\n" "MIME-Version: 1.0\n" diff --git a/l10n/cy_GB/core.po b/l10n/cy_GB/core.po index f44f0d9603..626ac010b5 100644 --- a/l10n/cy_GB/core.po +++ b/l10n/cy_GB/core.po @@ -8,8 +8,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:12+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:04+0000\n" "Last-Translator: I Robot \n" "Language-Team: Welsh (United Kingdom) (http://www.transifex.com/projects/p/owncloud/language/cy_GB/)\n" "MIME-Version: 1.0\n" @@ -138,59 +138,59 @@ msgstr "Tachwedd" msgid "December" msgstr "Rhagfyr" -#: js/js.js:289 +#: js/js.js:293 msgid "Settings" msgstr "Gosodiadau" -#: js/js.js:721 +#: js/js.js:715 msgid "seconds ago" msgstr "eiliad yn ôl" -#: js/js.js:722 +#: js/js.js:716 msgid "1 minute ago" msgstr "1 munud yn ôl" -#: js/js.js:723 +#: js/js.js:717 msgid "{minutes} minutes ago" msgstr "{minutes} munud yn ôl" -#: js/js.js:724 +#: js/js.js:718 msgid "1 hour ago" msgstr "1 awr yn ôl" -#: js/js.js:725 +#: js/js.js:719 msgid "{hours} hours ago" msgstr "{hours} awr yn ôl" -#: js/js.js:726 +#: js/js.js:720 msgid "today" msgstr "heddiw" -#: js/js.js:727 +#: js/js.js:721 msgid "yesterday" msgstr "ddoe" -#: js/js.js:728 +#: js/js.js:722 msgid "{days} days ago" msgstr "{days} diwrnod yn ôl" -#: js/js.js:729 +#: js/js.js:723 msgid "last month" msgstr "mis diwethaf" -#: js/js.js:730 +#: js/js.js:724 msgid "{months} months ago" msgstr "{months} mis yn ôl" -#: js/js.js:731 +#: js/js.js:725 msgid "months ago" msgstr "misoedd yn ôl" -#: js/js.js:732 +#: js/js.js:726 msgid "last year" msgstr "y llynedd" -#: js/js.js:733 +#: js/js.js:727 msgid "years ago" msgstr "blwyddyn yn ôl" @@ -226,8 +226,8 @@ msgstr "Nid yw'r math o wrthrych wedi cael ei nodi." #: js/oc-vcategories.js:14 js/oc-vcategories.js:80 js/oc-vcategories.js:95 #: js/oc-vcategories.js:110 js/oc-vcategories.js:125 js/oc-vcategories.js:136 #: js/oc-vcategories.js:172 js/oc-vcategories.js:189 js/oc-vcategories.js:195 -#: js/oc-vcategories.js:199 js/share.js:136 js/share.js:143 js/share.js:618 -#: js/share.js:630 +#: js/oc-vcategories.js:199 js/share.js:136 js/share.js:143 js/share.js:625 +#: js/share.js:637 msgid "Error" msgstr "Gwall" @@ -247,7 +247,7 @@ msgstr "Rhannwyd" msgid "Share" msgstr "Rhannu" -#: js/share.js:125 js/share.js:658 +#: js/share.js:125 js/share.js:665 msgid "Error while sharing" msgstr "Gwall wrth rannu" @@ -267,114 +267,114 @@ msgstr "Rhannwyd â chi a'r grŵp {group} gan {owner}" msgid "Shared with you by {owner}" msgstr "Rhannwyd â chi gan {owner}" -#: js/share.js:172 +#: js/share.js:177 msgid "Share with" msgstr "Rhannu gyda" -#: js/share.js:177 +#: js/share.js:182 msgid "Share with link" msgstr "Dolen ar gyfer rhannu" -#: js/share.js:180 +#: js/share.js:185 msgid "Password protect" msgstr "Diogelu cyfrinair" -#: js/share.js:182 templates/installation.php:54 templates/login.php:26 +#: js/share.js:187 templates/installation.php:54 templates/login.php:26 msgid "Password" msgstr "Cyfrinair" -#: js/share.js:186 +#: js/share.js:192 msgid "Allow Public Upload" msgstr "" -#: js/share.js:189 +#: js/share.js:196 msgid "Email link to person" msgstr "E-bostio dolen at berson" -#: js/share.js:190 +#: js/share.js:197 msgid "Send" msgstr "Anfon" -#: js/share.js:195 +#: js/share.js:202 msgid "Set expiration date" msgstr "Gosod dyddiad dod i ben" -#: js/share.js:196 +#: js/share.js:203 msgid "Expiration date" msgstr "Dyddiad dod i ben" -#: js/share.js:228 +#: js/share.js:235 msgid "Share via email:" msgstr "Rhannu drwy e-bost:" -#: js/share.js:230 +#: js/share.js:237 msgid "No people found" msgstr "Heb ganfod pobl" -#: js/share.js:268 +#: js/share.js:275 msgid "Resharing is not allowed" msgstr "Does dim hawl ail-rannu" -#: js/share.js:304 +#: js/share.js:311 msgid "Shared in {item} with {user}" msgstr "Rhannwyd yn {item} â {user}" -#: js/share.js:325 +#: js/share.js:332 msgid "Unshare" msgstr "Dad-rannu" -#: js/share.js:337 +#: js/share.js:344 msgid "can edit" msgstr "yn gallu golygu" -#: js/share.js:339 +#: js/share.js:346 msgid "access control" msgstr "rheolaeth mynediad" -#: js/share.js:342 +#: js/share.js:349 msgid "create" msgstr "creu" -#: js/share.js:345 +#: js/share.js:352 msgid "update" msgstr "diweddaru" -#: js/share.js:348 +#: js/share.js:355 msgid "delete" msgstr "dileu" -#: js/share.js:351 +#: js/share.js:358 msgid "share" msgstr "rhannu" -#: js/share.js:385 js/share.js:605 +#: js/share.js:392 js/share.js:612 msgid "Password protected" msgstr "Diogelwyd â chyfrinair" -#: js/share.js:618 +#: js/share.js:625 msgid "Error unsetting expiration date" msgstr "Gwall wrth ddad-osod dyddiad dod i ben" -#: js/share.js:630 +#: js/share.js:637 msgid "Error setting expiration date" msgstr "Gwall wrth osod dyddiad dod i ben" -#: js/share.js:645 +#: js/share.js:652 msgid "Sending ..." msgstr "Yn anfon ..." -#: js/share.js:656 +#: js/share.js:663 msgid "Email sent" msgstr "Anfonwyd yr e-bost" -#: js/update.js:14 +#: js/update.js:17 msgid "" "The update was unsuccessful. Please report this issue to the ownCloud " "community." msgstr "Methodd y diweddariad. Adroddwch y mater hwn i gymuned ownCloud." -#: js/update.js:18 +#: js/update.js:21 msgid "The update was successful. Redirecting you to ownCloud now." msgstr "Roedd y diweddariad yn llwyddiannus. Cewch eich ailgyfeirio i ownCloud nawr." @@ -466,7 +466,7 @@ msgstr "Mynediad wedi'i wahardd" msgid "Cloud not found" msgstr "Methwyd canfod cwmwl" -#: templates/altmail.php:2 +#: templates/altmail.php:4 #, php-format msgid "" "Hey there,\n" @@ -477,10 +477,6 @@ msgid "" "Cheers!" msgstr "" -#: templates/altmail.php:7 templates/mail.php:24 -msgid "web services under your control" -msgstr "gwasanaethau gwe a reolir gennych" - #: templates/edit_categories_dialog.php:4 msgid "Edit categories" msgstr "Golygu categorïau" @@ -612,7 +608,7 @@ msgstr "Mewngofnodi" msgid "Alternative Logins" msgstr "Mewngofnodiadau Amgen" -#: templates/mail.php:15 +#: templates/mail.php:16 #, php-format msgid "" "Hey there,

    just letting you know that %s shared »%s« with you.
    \n" "Language-Team: Welsh (United Kingdom) (http://www.transifex.com/projects/p/owncloud/language/cy_GB/)\n" "MIME-Version: 1.0\n" @@ -27,54 +27,54 @@ msgstr "Methwyd symud %s - Mae ffeil gyda'r enw hwn eisoes yn bodoli" msgid "Could not move %s" msgstr "Methwyd symud %s" -#: ajax/upload.php:16 ajax/upload.php:39 +#: ajax/upload.php:16 ajax/upload.php:45 msgid "Unable to set upload directory." msgstr "" -#: ajax/upload.php:23 +#: ajax/upload.php:22 msgid "Invalid Token" msgstr "" -#: ajax/upload.php:55 +#: ajax/upload.php:59 msgid "No file was uploaded. Unknown error" msgstr "Ni lwythwyd ffeil i fyny. Gwall anhysbys." -#: ajax/upload.php:62 +#: ajax/upload.php:66 msgid "There is no error, the file uploaded with success" msgstr "Does dim gwall, llwythodd y ffeil i fyny'n llwyddiannus" -#: ajax/upload.php:63 +#: ajax/upload.php:67 msgid "" "The uploaded file exceeds the upload_max_filesize directive in php.ini: " msgstr "Mae'r ffeil lwythwyd i fyny'n fwy na chyfarwyddeb upload_max_filesize yn php.ini:" -#: ajax/upload.php:65 +#: ajax/upload.php:69 msgid "" "The uploaded file exceeds the MAX_FILE_SIZE directive that was specified in " "the HTML form" msgstr "Mae'r ffeil lwythwyd i fyny'n fwy na chyfarwyddeb MAX_FILE_SIZE bennwyd yn y ffurflen HTML" -#: ajax/upload.php:66 +#: ajax/upload.php:70 msgid "The uploaded file was only partially uploaded" msgstr "Dim ond yn rhannol y llwythwyd y ffeil i fyny" -#: ajax/upload.php:67 +#: ajax/upload.php:71 msgid "No file was uploaded" msgstr "Ni lwythwyd ffeil i fyny" -#: ajax/upload.php:68 +#: ajax/upload.php:72 msgid "Missing a temporary folder" msgstr "Plygell dros dro yn eisiau" -#: ajax/upload.php:69 +#: ajax/upload.php:73 msgid "Failed to write to disk" msgstr "Methwyd ysgrifennu i'r ddisg" -#: ajax/upload.php:87 +#: ajax/upload.php:91 msgid "Not enough storage available" msgstr "Dim digon o le storio ar gael" -#: ajax/upload.php:119 +#: ajax/upload.php:123 msgid "Invalid directory." msgstr "Cyfeiriadur annilys." @@ -128,43 +128,43 @@ msgstr "Dileu" msgid "Rename" msgstr "Ailenwi" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:464 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:465 msgid "Pending" msgstr "I ddod" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "{new_name} already exists" msgstr "{new_name} yn bodoli'n barod" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "replace" msgstr "amnewid" -#: js/filelist.js:302 +#: js/filelist.js:303 msgid "suggest name" msgstr "awgrymu enw" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "cancel" msgstr "diddymu" -#: js/filelist.js:349 +#: js/filelist.js:350 msgid "replaced {new_name} with {old_name}" msgstr "newidiwyd {new_name} yn lle {old_name}" -#: js/filelist.js:349 +#: js/filelist.js:350 msgid "undo" msgstr "dadwneud" -#: js/filelist.js:374 +#: js/filelist.js:375 msgid "perform delete operation" msgstr "cyflawni gweithred dileu" -#: js/filelist.js:456 +#: js/filelist.js:457 msgid "1 file uploading" msgstr "1 ffeil yn llwytho i fyny" -#: js/filelist.js:459 js/filelist.js:517 +#: js/filelist.js:460 js/filelist.js:518 msgid "files uploading" msgstr "ffeiliau'n llwytho i fyny" @@ -212,19 +212,19 @@ msgstr "Maint" msgid "Modified" msgstr "Addaswyd" -#: js/files.js:765 +#: js/files.js:763 msgid "1 folder" msgstr "1 blygell" -#: js/files.js:767 +#: js/files.js:765 msgid "{count} folders" msgstr "{count} plygell" -#: js/files.js:775 +#: js/files.js:773 msgid "1 file" msgstr "1 ffeil" -#: js/files.js:777 +#: js/files.js:775 msgid "{count} files" msgstr "{count} ffeil" @@ -327,19 +327,19 @@ msgstr "Arhoswch, mae ffeiliau'n cael eu sganio." msgid "Current scanning" msgstr "Sganio cyfredol" -#: templates/part.list.php:78 +#: templates/part.list.php:74 msgid "directory" msgstr "" -#: templates/part.list.php:80 +#: templates/part.list.php:76 msgid "directories" msgstr "" -#: templates/part.list.php:89 +#: templates/part.list.php:85 msgid "file" msgstr "" -#: templates/part.list.php:91 +#: templates/part.list.php:87 msgid "files" msgstr "" diff --git a/l10n/cy_GB/files_external.po b/l10n/cy_GB/files_external.po index 7d5adeb8a7..c9721c7493 100644 --- a/l10n/cy_GB/files_external.po +++ b/l10n/cy_GB/files_external.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: I Robot \n" "Language-Team: Welsh (United Kingdom) (http://www.transifex.com/projects/p/owncloud/language/cy_GB/)\n" "MIME-Version: 1.0\n" @@ -37,20 +37,20 @@ msgstr "" msgid "Error configuring Google Drive storage" msgstr "" -#: lib/config.php:431 +#: lib/config.php:447 msgid "" "Warning: \"smbclient\" is not installed. Mounting of CIFS/SMB shares " "is not possible. Please ask your system administrator to install it." msgstr "" -#: lib/config.php:434 +#: lib/config.php:450 msgid "" "Warning: The FTP support in PHP is not enabled or installed. Mounting" " of FTP shares is not possible. Please ask your system administrator to " "install it." msgstr "" -#: lib/config.php:437 +#: lib/config.php:453 msgid "" "Warning: The Curl support in PHP is not enabled or installed. " "Mounting of ownCloud / WebDAV or GoogleDrive is not possible. Please ask " diff --git a/l10n/cy_GB/files_sharing.po b/l10n/cy_GB/files_sharing.po index 7d6e39539f..38dd52e504 100644 --- a/l10n/cy_GB/files_sharing.po +++ b/l10n/cy_GB/files_sharing.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:13+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: I Robot \n" "Language-Team: Welsh (United Kingdom) (http://www.transifex.com/projects/p/owncloud/language/cy_GB/)\n" "MIME-Version: 1.0\n" @@ -39,18 +39,18 @@ msgstr "Rhannodd %s blygell %s â chi" msgid "%s shared the file %s with you" msgstr "Rhannodd %s ffeil %s â chi" -#: templates/public.php:28 templates/public.php:86 +#: templates/public.php:28 templates/public.php:90 msgid "Download" msgstr "Llwytho i lawr" -#: templates/public.php:44 +#: templates/public.php:45 templates/public.php:48 msgid "Upload" msgstr "Llwytho i fyny" -#: templates/public.php:54 +#: templates/public.php:58 msgid "Cancel upload" msgstr "Diddymu llwytho i fyny" -#: templates/public.php:83 +#: templates/public.php:87 msgid "No preview available for" msgstr "Does dim rhagolwg ar gael ar gyfer" diff --git a/l10n/cy_GB/files_trashbin.po b/l10n/cy_GB/files_trashbin.po index 43df1cb186..fe3fb2b348 100644 --- a/l10n/cy_GB/files_trashbin.po +++ b/l10n/cy_GB/files_trashbin.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: ubuntucymraeg \n" "Language-Team: Welsh (United Kingdom) (http://www.transifex.com/projects/p/owncloud/language/cy_GB/)\n" "MIME-Version: 1.0\n" diff --git a/l10n/cy_GB/lib.po b/l10n/cy_GB/lib.po index d12d31ee5e..ce21b1417a 100644 --- a/l10n/cy_GB/lib.po +++ b/l10n/cy_GB/lib.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:13+0000\n" +"POT-Creation-Date: 2013-07-24 01:55-0400\n" +"PO-Revision-Date: 2013-07-24 05:55+0000\n" "Last-Translator: I Robot \n" "Language-Team: Welsh (United Kingdom) (http://www.transifex.com/projects/p/owncloud/language/cy_GB/)\n" "MIME-Version: 1.0\n" @@ -41,27 +41,43 @@ msgstr "Pecynnau" msgid "Admin" msgstr "Gweinyddu" -#: defaults.php:33 -msgid "web services under your control" +#: app.php:844 +#, php-format +msgid "Failed to upgrade \"%s\"." msgstr "" -#: files.php:210 +#: defaults.php:33 +msgid "web services under your control" +msgstr "gwasanaethau gwe a reolir gennych" + +#: files.php:66 files.php:98 +#, php-format +msgid "cannot open \"%s\"" +msgstr "" + +#: files.php:226 msgid "ZIP download is turned off." msgstr "Mae llwytho ZIP wedi ei ddiffodd." -#: files.php:211 +#: files.php:227 msgid "Files need to be downloaded one by one." msgstr "Mae angen llwytho ffeiliau i lawr fesul un." -#: files.php:212 files.php:245 +#: files.php:228 files.php:256 msgid "Back to Files" msgstr "Nôl i Ffeiliau" -#: files.php:242 +#: files.php:253 msgid "Selected files too large to generate zip file." msgstr "Mae'r ffeiliau ddewiswyd yn rhy fawr i gynhyrchu ffeil zip." -#: helper.php:236 +#: files.php:254 +msgid "" +"Download the files in smaller chunks, seperately or kindly ask your " +"administrator." +msgstr "" + +#: helper.php:235 msgid "couldn't be determined" msgstr "methwyd pennu" @@ -170,77 +186,81 @@ msgstr "Y gorchymyn wnaeth beri tramgwydd oedd: \"%s\", enw: %s, cyfrinair: %s" msgid "PostgreSQL username and/or password not valid" msgstr "Enw a/neu gyfrinair PostgreSQL annilys" -#: setup.php:42 +#: setup.php:28 msgid "Set an admin username." msgstr "Creu enw defnyddiwr i'r gweinyddwr." -#: setup.php:45 +#: setup.php:31 msgid "Set an admin password." msgstr "Gosod cyfrinair y gweinyddwr." -#: setup.php:198 +#: setup.php:184 msgid "" "Your web server is not yet properly setup to allow files synchronization " "because the WebDAV interface seems to be broken." msgstr "Nid yw eich gweinydd wedi'i gyflunio eto i ganiatáu cydweddu ffeiliau oherwydd bod y rhyngwyneb WebDAV wedi torri." -#: setup.php:199 +#: setup.php:185 #, php-format msgid "Please double check the installation guides." msgstr "Gwiriwch y canllawiau gosod eto." -#: template.php:113 +#: template/functions.php:80 msgid "seconds ago" msgstr "eiliad yn ôl" -#: template.php:114 +#: template/functions.php:81 msgid "1 minute ago" msgstr "1 munud yn ôl" -#: template.php:115 +#: template/functions.php:82 #, php-format msgid "%d minutes ago" msgstr "%d munud yn ôl" -#: template.php:116 +#: template/functions.php:83 msgid "1 hour ago" msgstr "1 awr yn ôl" -#: template.php:117 +#: template/functions.php:84 #, php-format msgid "%d hours ago" msgstr "%d awr yn ôl" -#: template.php:118 +#: template/functions.php:85 msgid "today" msgstr "heddiw" -#: template.php:119 +#: template/functions.php:86 msgid "yesterday" msgstr "ddoe" -#: template.php:120 +#: template/functions.php:87 #, php-format msgid "%d days ago" msgstr "%d diwrnod yn ôl" -#: template.php:121 +#: template/functions.php:88 msgid "last month" msgstr "mis diwethaf" -#: template.php:122 +#: template/functions.php:89 #, php-format msgid "%d months ago" msgstr "%d mis yn ôl" -#: template.php:123 +#: template/functions.php:90 msgid "last year" msgstr "y llynedd" -#: template.php:124 +#: template/functions.php:91 msgid "years ago" msgstr "blwyddyn yn ôl" +#: template.php:296 +msgid "Caused by:" +msgstr "" + #: vcategories.php:188 vcategories.php:249 #, php-format msgid "Could not find category \"%s\"" diff --git a/l10n/cy_GB/settings.po b/l10n/cy_GB/settings.po index 3394892a68..d6626aaa1e 100644 --- a/l10n/cy_GB/settings.po +++ b/l10n/cy_GB/settings.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:55+0000\n" "Last-Translator: I Robot \n" "Language-Team: Welsh (United Kingdom) (http://www.transifex.com/projects/p/owncloud/language/cy_GB/)\n" "MIME-Version: 1.0\n" @@ -273,62 +273,71 @@ msgstr "" msgid "Allow users to share items to the public with links" msgstr "" -#: templates/admin.php:152 +#: templates/admin.php:153 +msgid "Allow public uploads" +msgstr "" + +#: templates/admin.php:154 +msgid "" +"Allow users to enable others to upload into their publicly shared folders" +msgstr "" + +#: templates/admin.php:162 msgid "Allow resharing" msgstr "" -#: templates/admin.php:153 +#: templates/admin.php:163 msgid "Allow users to share items shared with them again" msgstr "" -#: templates/admin.php:160 +#: templates/admin.php:170 msgid "Allow users to share with anyone" msgstr "" -#: templates/admin.php:163 +#: templates/admin.php:173 msgid "Allow users to only share with users in their groups" msgstr "" -#: templates/admin.php:170 +#: templates/admin.php:180 msgid "Security" msgstr "" -#: templates/admin.php:183 +#: templates/admin.php:193 msgid "Enforce HTTPS" msgstr "" -#: templates/admin.php:184 +#: templates/admin.php:194 msgid "" "Enforces the clients to connect to ownCloud via an encrypted connection." msgstr "" -#: templates/admin.php:187 +#: templates/admin.php:197 msgid "" "Please connect to this ownCloud instance via HTTPS to enable or disable the " "SSL enforcement." msgstr "" -#: templates/admin.php:197 +#: templates/admin.php:207 msgid "Log" msgstr "" -#: templates/admin.php:198 +#: templates/admin.php:208 msgid "Log level" msgstr "" -#: templates/admin.php:229 +#: templates/admin.php:239 msgid "More" msgstr "" -#: templates/admin.php:230 +#: templates/admin.php:240 msgid "Less" msgstr "" -#: templates/admin.php:236 templates/personal.php:116 +#: templates/admin.php:246 templates/personal.php:116 msgid "Version" msgstr "" -#: templates/admin.php:240 templates/personal.php:119 +#: templates/admin.php:250 templates/personal.php:119 msgid "" "Developed by the ownCloud community, the access your Files via WebDAV" msgstr "" #: templates/users.php:21 diff --git a/l10n/cy_GB/user_ldap.po b/l10n/cy_GB/user_ldap.po index 7271157e5d..46836bc4fd 100644 --- a/l10n/cy_GB/user_ldap.po +++ b/l10n/cy_GB/user_ldap.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: I Robot \n" "Language-Team: Welsh (United Kingdom) (http://www.transifex.com/projects/p/owncloud/language/cy_GB/)\n" "MIME-Version: 1.0\n" diff --git a/l10n/da/core.po b/l10n/da/core.po index 9ed55ab32c..c96e2648e4 100644 --- a/l10n/da/core.po +++ b/l10n/da/core.po @@ -9,8 +9,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:12+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:04+0000\n" "Last-Translator: I Robot \n" "Language-Team: Danish (http://www.transifex.com/projects/p/owncloud/language/da/)\n" "MIME-Version: 1.0\n" @@ -139,59 +139,59 @@ msgstr "November" msgid "December" msgstr "December" -#: js/js.js:289 +#: js/js.js:293 msgid "Settings" msgstr "Indstillinger" -#: js/js.js:721 +#: js/js.js:715 msgid "seconds ago" msgstr "sekunder siden" -#: js/js.js:722 +#: js/js.js:716 msgid "1 minute ago" msgstr "1 minut siden" -#: js/js.js:723 +#: js/js.js:717 msgid "{minutes} minutes ago" msgstr "{minutes} minutter siden" -#: js/js.js:724 +#: js/js.js:718 msgid "1 hour ago" msgstr "1 time siden" -#: js/js.js:725 +#: js/js.js:719 msgid "{hours} hours ago" msgstr "{hours} timer siden" -#: js/js.js:726 +#: js/js.js:720 msgid "today" msgstr "i dag" -#: js/js.js:727 +#: js/js.js:721 msgid "yesterday" msgstr "i går" -#: js/js.js:728 +#: js/js.js:722 msgid "{days} days ago" msgstr "{days} dage siden" -#: js/js.js:729 +#: js/js.js:723 msgid "last month" msgstr "sidste måned" -#: js/js.js:730 +#: js/js.js:724 msgid "{months} months ago" msgstr "{months} måneder siden" -#: js/js.js:731 +#: js/js.js:725 msgid "months ago" msgstr "måneder siden" -#: js/js.js:732 +#: js/js.js:726 msgid "last year" msgstr "sidste år" -#: js/js.js:733 +#: js/js.js:727 msgid "years ago" msgstr "år siden" @@ -227,8 +227,8 @@ msgstr "Objekttypen er ikke angivet." #: js/oc-vcategories.js:14 js/oc-vcategories.js:80 js/oc-vcategories.js:95 #: js/oc-vcategories.js:110 js/oc-vcategories.js:125 js/oc-vcategories.js:136 #: js/oc-vcategories.js:172 js/oc-vcategories.js:189 js/oc-vcategories.js:195 -#: js/oc-vcategories.js:199 js/share.js:136 js/share.js:143 js/share.js:618 -#: js/share.js:630 +#: js/oc-vcategories.js:199 js/share.js:136 js/share.js:143 js/share.js:625 +#: js/share.js:637 msgid "Error" msgstr "Fejl" @@ -248,7 +248,7 @@ msgstr "Delt" msgid "Share" msgstr "Del" -#: js/share.js:125 js/share.js:658 +#: js/share.js:125 js/share.js:665 msgid "Error while sharing" msgstr "Fejl under deling" @@ -268,114 +268,114 @@ msgstr "Delt med dig og gruppen {group} af {owner}" msgid "Shared with you by {owner}" msgstr "Delt med dig af {owner}" -#: js/share.js:172 +#: js/share.js:177 msgid "Share with" msgstr "Del med" -#: js/share.js:177 +#: js/share.js:182 msgid "Share with link" msgstr "Del med link" -#: js/share.js:180 +#: js/share.js:185 msgid "Password protect" msgstr "Beskyt med adgangskode" -#: js/share.js:182 templates/installation.php:54 templates/login.php:26 +#: js/share.js:187 templates/installation.php:54 templates/login.php:26 msgid "Password" msgstr "Kodeord" -#: js/share.js:186 +#: js/share.js:192 msgid "Allow Public Upload" msgstr "" -#: js/share.js:189 +#: js/share.js:196 msgid "Email link to person" msgstr "E-mail link til person" -#: js/share.js:190 +#: js/share.js:197 msgid "Send" msgstr "Send" -#: js/share.js:195 +#: js/share.js:202 msgid "Set expiration date" msgstr "Vælg udløbsdato" -#: js/share.js:196 +#: js/share.js:203 msgid "Expiration date" msgstr "Udløbsdato" -#: js/share.js:228 +#: js/share.js:235 msgid "Share via email:" msgstr "Del via email:" -#: js/share.js:230 +#: js/share.js:237 msgid "No people found" msgstr "Ingen personer fundet" -#: js/share.js:268 +#: js/share.js:275 msgid "Resharing is not allowed" msgstr "Videredeling ikke tilladt" -#: js/share.js:304 +#: js/share.js:311 msgid "Shared in {item} with {user}" msgstr "Delt i {item} med {user}" -#: js/share.js:325 +#: js/share.js:332 msgid "Unshare" msgstr "Fjern deling" -#: js/share.js:337 +#: js/share.js:344 msgid "can edit" msgstr "kan redigere" -#: js/share.js:339 +#: js/share.js:346 msgid "access control" msgstr "Adgangskontrol" -#: js/share.js:342 +#: js/share.js:349 msgid "create" msgstr "opret" -#: js/share.js:345 +#: js/share.js:352 msgid "update" msgstr "opdater" -#: js/share.js:348 +#: js/share.js:355 msgid "delete" msgstr "slet" -#: js/share.js:351 +#: js/share.js:358 msgid "share" msgstr "del" -#: js/share.js:385 js/share.js:605 +#: js/share.js:392 js/share.js:612 msgid "Password protected" msgstr "Beskyttet med adgangskode" -#: js/share.js:618 +#: js/share.js:625 msgid "Error unsetting expiration date" msgstr "Fejl ved fjernelse af udløbsdato" -#: js/share.js:630 +#: js/share.js:637 msgid "Error setting expiration date" msgstr "Fejl under sætning af udløbsdato" -#: js/share.js:645 +#: js/share.js:652 msgid "Sending ..." msgstr "Sender ..." -#: js/share.js:656 +#: js/share.js:663 msgid "Email sent" msgstr "E-mail afsendt" -#: js/update.js:14 +#: js/update.js:17 msgid "" "The update was unsuccessful. Please report this issue to the ownCloud " "community." msgstr "Opdateringen blev ikke udført korrekt. Rapporter venligst problemet til ownClouds community." -#: js/update.js:18 +#: js/update.js:21 msgid "The update was successful. Redirecting you to ownCloud now." msgstr "Opdateringen blev udført korrekt. Du bliver nu viderestillet til ownCloud." @@ -467,7 +467,7 @@ msgstr "Adgang forbudt" msgid "Cloud not found" msgstr "Sky ikke fundet" -#: templates/altmail.php:2 +#: templates/altmail.php:4 #, php-format msgid "" "Hey there,\n" @@ -478,10 +478,6 @@ msgid "" "Cheers!" msgstr "" -#: templates/altmail.php:7 templates/mail.php:24 -msgid "web services under your control" -msgstr "Webtjenester under din kontrol" - #: templates/edit_categories_dialog.php:4 msgid "Edit categories" msgstr "Rediger kategorier" @@ -613,7 +609,7 @@ msgstr "Log ind" msgid "Alternative Logins" msgstr "Alternative logins" -#: templates/mail.php:15 +#: templates/mail.php:16 #, php-format msgid "" "Hey there,

    just letting you know that %s shared »%s« with you.
    \n" "Language-Team: Danish (http://www.transifex.com/projects/p/owncloud/language/da/)\n" "MIME-Version: 1.0\n" @@ -28,54 +28,54 @@ msgstr "Kunne ikke flytte %s - der findes allerede en fil med dette navn" msgid "Could not move %s" msgstr "Kunne ikke flytte %s" -#: ajax/upload.php:16 ajax/upload.php:39 +#: ajax/upload.php:16 ajax/upload.php:45 msgid "Unable to set upload directory." msgstr "" -#: ajax/upload.php:23 +#: ajax/upload.php:22 msgid "Invalid Token" msgstr "" -#: ajax/upload.php:55 +#: ajax/upload.php:59 msgid "No file was uploaded. Unknown error" msgstr "Ingen fil blev uploadet. Ukendt fejl." -#: ajax/upload.php:62 +#: ajax/upload.php:66 msgid "There is no error, the file uploaded with success" msgstr "Der skete ingen fejl, filen blev succesfuldt uploadet" -#: ajax/upload.php:63 +#: ajax/upload.php:67 msgid "" "The uploaded file exceeds the upload_max_filesize directive in php.ini: " msgstr "Den uploadede fil overstiger upload_max_filesize direktivet i php.ini" -#: ajax/upload.php:65 +#: ajax/upload.php:69 msgid "" "The uploaded file exceeds the MAX_FILE_SIZE directive that was specified in " "the HTML form" msgstr "Den uploadede fil overstiger MAX_FILE_SIZE indstilingen, som specificeret i HTML formularen" -#: ajax/upload.php:66 +#: ajax/upload.php:70 msgid "The uploaded file was only partially uploaded" msgstr "Filen blev kun delvist uploadet." -#: ajax/upload.php:67 +#: ajax/upload.php:71 msgid "No file was uploaded" msgstr "Ingen fil uploadet" -#: ajax/upload.php:68 +#: ajax/upload.php:72 msgid "Missing a temporary folder" msgstr "Manglende midlertidig mappe." -#: ajax/upload.php:69 +#: ajax/upload.php:73 msgid "Failed to write to disk" msgstr "Fejl ved skrivning til disk." -#: ajax/upload.php:87 +#: ajax/upload.php:91 msgid "Not enough storage available" msgstr "Der er ikke nok plads til rådlighed" -#: ajax/upload.php:119 +#: ajax/upload.php:123 msgid "Invalid directory." msgstr "Ugyldig mappe." @@ -129,43 +129,43 @@ msgstr "Slet" msgid "Rename" msgstr "Omdøb" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:464 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:465 msgid "Pending" msgstr "Afventer" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "{new_name} already exists" msgstr "{new_name} eksisterer allerede" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "replace" msgstr "erstat" -#: js/filelist.js:302 +#: js/filelist.js:303 msgid "suggest name" msgstr "foreslå navn" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "cancel" msgstr "fortryd" -#: js/filelist.js:349 +#: js/filelist.js:350 msgid "replaced {new_name} with {old_name}" msgstr "erstattede {new_name} med {old_name}" -#: js/filelist.js:349 +#: js/filelist.js:350 msgid "undo" msgstr "fortryd" -#: js/filelist.js:374 +#: js/filelist.js:375 msgid "perform delete operation" msgstr "udfør slet operation" -#: js/filelist.js:456 +#: js/filelist.js:457 msgid "1 file uploading" msgstr "1 fil uploades" -#: js/filelist.js:459 js/filelist.js:517 +#: js/filelist.js:460 js/filelist.js:518 msgid "files uploading" msgstr "uploader filer" @@ -213,19 +213,19 @@ msgstr "Størrelse" msgid "Modified" msgstr "Ændret" -#: js/files.js:765 +#: js/files.js:763 msgid "1 folder" msgstr "1 mappe" -#: js/files.js:767 +#: js/files.js:765 msgid "{count} folders" msgstr "{count} mapper" -#: js/files.js:775 +#: js/files.js:773 msgid "1 file" msgstr "1 fil" -#: js/files.js:777 +#: js/files.js:775 msgid "{count} files" msgstr "{count} filer" @@ -328,19 +328,19 @@ msgstr "Filerne bliver indlæst, vent venligst." msgid "Current scanning" msgstr "Indlæser" -#: templates/part.list.php:78 +#: templates/part.list.php:74 msgid "directory" msgstr "" -#: templates/part.list.php:80 +#: templates/part.list.php:76 msgid "directories" msgstr "" -#: templates/part.list.php:89 +#: templates/part.list.php:85 msgid "file" msgstr "fil" -#: templates/part.list.php:91 +#: templates/part.list.php:87 msgid "files" msgstr "filer" diff --git a/l10n/da/files_external.po b/l10n/da/files_external.po index 0822a3fbae..22fc3c7b82 100644 --- a/l10n/da/files_external.po +++ b/l10n/da/files_external.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: I Robot \n" "Language-Team: Danish (http://www.transifex.com/projects/p/owncloud/language/da/)\n" "MIME-Version: 1.0\n" @@ -37,20 +37,20 @@ msgstr "Angiv venligst en valid Dropbox app nøgle og hemmelighed" msgid "Error configuring Google Drive storage" msgstr "Fejl ved konfiguration af Google Drive plads" -#: lib/config.php:431 +#: lib/config.php:447 msgid "" "Warning: \"smbclient\" is not installed. Mounting of CIFS/SMB shares " "is not possible. Please ask your system administrator to install it." msgstr " Advarsel: \"smbclient\" ikke er installeret. Montering af CIFS / SMB delinger er ikke muligt. Spørg din systemadministrator om at installere det." -#: lib/config.php:434 +#: lib/config.php:450 msgid "" "Warning: The FTP support in PHP is not enabled or installed. Mounting" " of FTP shares is not possible. Please ask your system administrator to " "install it." msgstr " Advarsel: FTP-understøttelse i PHP ikke er aktiveret eller installeret. Montering af FTP delinger er ikke muligt. Spørg din systemadministrator om at installere det." -#: lib/config.php:437 +#: lib/config.php:453 msgid "" "Warning: The Curl support in PHP is not enabled or installed. " "Mounting of ownCloud / WebDAV or GoogleDrive is not possible. Please ask " diff --git a/l10n/da/files_sharing.po b/l10n/da/files_sharing.po index e0e89dbd5b..71e7807950 100644 --- a/l10n/da/files_sharing.po +++ b/l10n/da/files_sharing.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:13+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: I Robot \n" "Language-Team: Danish (http://www.transifex.com/projects/p/owncloud/language/da/)\n" "MIME-Version: 1.0\n" @@ -39,18 +39,18 @@ msgstr "%s delte mappen %s med dig" msgid "%s shared the file %s with you" msgstr "%s delte filen %s med dig" -#: templates/public.php:28 templates/public.php:86 +#: templates/public.php:28 templates/public.php:90 msgid "Download" msgstr "Download" -#: templates/public.php:44 +#: templates/public.php:45 templates/public.php:48 msgid "Upload" msgstr "Upload" -#: templates/public.php:54 +#: templates/public.php:58 msgid "Cancel upload" msgstr "Fortryd upload" -#: templates/public.php:83 +#: templates/public.php:87 msgid "No preview available for" msgstr "Forhåndsvisning ikke tilgængelig for" diff --git a/l10n/da/files_trashbin.po b/l10n/da/files_trashbin.po index 8e26f0f1c1..0b66f7e71d 100644 --- a/l10n/da/files_trashbin.po +++ b/l10n/da/files_trashbin.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: I Robot \n" "Language-Team: Danish (http://www.transifex.com/projects/p/owncloud/language/da/)\n" "MIME-Version: 1.0\n" diff --git a/l10n/da/lib.po b/l10n/da/lib.po index 900335a804..03a1bcfb42 100644 --- a/l10n/da/lib.po +++ b/l10n/da/lib.po @@ -8,8 +8,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:13+0000\n" +"POT-Creation-Date: 2013-07-24 01:55-0400\n" +"PO-Revision-Date: 2013-07-24 05:55+0000\n" "Last-Translator: I Robot \n" "Language-Team: Danish (http://www.transifex.com/projects/p/owncloud/language/da/)\n" "MIME-Version: 1.0\n" @@ -42,27 +42,43 @@ msgstr "Apps" msgid "Admin" msgstr "Admin" -#: defaults.php:33 -msgid "web services under your control" +#: app.php:844 +#, php-format +msgid "Failed to upgrade \"%s\"." msgstr "" -#: files.php:210 +#: defaults.php:33 +msgid "web services under your control" +msgstr "Webtjenester under din kontrol" + +#: files.php:66 files.php:98 +#, php-format +msgid "cannot open \"%s\"" +msgstr "" + +#: files.php:226 msgid "ZIP download is turned off." msgstr "ZIP-download er slået fra." -#: files.php:211 +#: files.php:227 msgid "Files need to be downloaded one by one." msgstr "Filer skal downloades en for en." -#: files.php:212 files.php:245 +#: files.php:228 files.php:256 msgid "Back to Files" msgstr "Tilbage til Filer" -#: files.php:242 +#: files.php:253 msgid "Selected files too large to generate zip file." msgstr "De markerede filer er for store til at generere en ZIP-fil." -#: helper.php:236 +#: files.php:254 +msgid "" +"Download the files in smaller chunks, seperately or kindly ask your " +"administrator." +msgstr "" + +#: helper.php:235 msgid "couldn't be determined" msgstr "kunne ikke fastslås" @@ -171,77 +187,81 @@ msgstr "Fejlende kommando var: \"%s\", navn: %s, password: %s" msgid "PostgreSQL username and/or password not valid" msgstr "PostgreSQL brugernavn og/eller kodeord er ikke gyldigt." -#: setup.php:42 +#: setup.php:28 msgid "Set an admin username." msgstr "Angiv et admin brugernavn." -#: setup.php:45 +#: setup.php:31 msgid "Set an admin password." msgstr "Angiv et admin kodeord." -#: setup.php:198 +#: setup.php:184 msgid "" "Your web server is not yet properly setup to allow files synchronization " "because the WebDAV interface seems to be broken." msgstr "Din webserver er endnu ikke sat op til at tillade fil synkronisering fordi WebDAV grænsefladen virker ødelagt." -#: setup.php:199 +#: setup.php:185 #, php-format msgid "Please double check the installation guides." msgstr "Dobbelttjek venligst installations vejledningerne." -#: template.php:113 +#: template/functions.php:80 msgid "seconds ago" msgstr "sekunder siden" -#: template.php:114 +#: template/functions.php:81 msgid "1 minute ago" msgstr "1 minut siden" -#: template.php:115 +#: template/functions.php:82 #, php-format msgid "%d minutes ago" msgstr "%d minutter siden" -#: template.php:116 +#: template/functions.php:83 msgid "1 hour ago" msgstr "1 time siden" -#: template.php:117 +#: template/functions.php:84 #, php-format msgid "%d hours ago" msgstr "%d timer siden" -#: template.php:118 +#: template/functions.php:85 msgid "today" msgstr "i dag" -#: template.php:119 +#: template/functions.php:86 msgid "yesterday" msgstr "i går" -#: template.php:120 +#: template/functions.php:87 #, php-format msgid "%d days ago" msgstr "%d dage siden" -#: template.php:121 +#: template/functions.php:88 msgid "last month" msgstr "sidste måned" -#: template.php:122 +#: template/functions.php:89 #, php-format msgid "%d months ago" msgstr "%d måneder siden" -#: template.php:123 +#: template/functions.php:90 msgid "last year" msgstr "sidste år" -#: template.php:124 +#: template/functions.php:91 msgid "years ago" msgstr "år siden" +#: template.php:296 +msgid "Caused by:" +msgstr "" + #: vcategories.php:188 vcategories.php:249 #, php-format msgid "Could not find category \"%s\"" diff --git a/l10n/da/settings.po b/l10n/da/settings.po index 02620a5a83..60971e81e1 100644 --- a/l10n/da/settings.po +++ b/l10n/da/settings.po @@ -3,13 +3,14 @@ # This file is distributed under the same license as the PACKAGE package. # # Translators: +# Morten Juhl-Johansen Zölde-Fejér , 2013 # Ole Holm Frandsen , 2013 msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:55+0000\n" "Last-Translator: I Robot \n" "Language-Team: Danish (http://www.transifex.com/projects/p/owncloud/language/da/)\n" "MIME-Version: 1.0\n" @@ -274,62 +275,71 @@ msgstr "Tillad links" msgid "Allow users to share items to the public with links" msgstr "Tillad brugere at dele elementer til offentligheden med links" -#: templates/admin.php:152 +#: templates/admin.php:153 +msgid "Allow public uploads" +msgstr "" + +#: templates/admin.php:154 +msgid "" +"Allow users to enable others to upload into their publicly shared folders" +msgstr "" + +#: templates/admin.php:162 msgid "Allow resharing" msgstr "Tillad videredeling" -#: templates/admin.php:153 +#: templates/admin.php:163 msgid "Allow users to share items shared with them again" msgstr "Tillad brugere at dele elementer delt med dem igen" -#: templates/admin.php:160 +#: templates/admin.php:170 msgid "Allow users to share with anyone" msgstr "Tillad brugere at dele med alle" -#: templates/admin.php:163 +#: templates/admin.php:173 msgid "Allow users to only share with users in their groups" msgstr "Tillad brugere at kun dele med brugerne i deres grupper" -#: templates/admin.php:170 +#: templates/admin.php:180 msgid "Security" msgstr "Sikkerhed" -#: templates/admin.php:183 +#: templates/admin.php:193 msgid "Enforce HTTPS" msgstr "Gennemtving HTTPS" -#: templates/admin.php:184 +#: templates/admin.php:194 msgid "" "Enforces the clients to connect to ownCloud via an encrypted connection." msgstr "Håndhæver klienter at oprette forbindelse til ownCloud via en krypteret forbindelse." -#: templates/admin.php:187 +#: templates/admin.php:197 msgid "" "Please connect to this ownCloud instance via HTTPS to enable or disable the " "SSL enforcement." msgstr "Opret forbindelse til denne ownCloud enhed via HTTPS for at aktivere eller deaktivere SSL håndhævelse." -#: templates/admin.php:197 +#: templates/admin.php:207 msgid "Log" msgstr "Log" -#: templates/admin.php:198 +#: templates/admin.php:208 msgid "Log level" msgstr "Log niveau" -#: templates/admin.php:229 +#: templates/admin.php:239 msgid "More" msgstr "Mere" -#: templates/admin.php:230 +#: templates/admin.php:240 msgid "Less" msgstr "Mindre" -#: templates/admin.php:236 templates/personal.php:116 +#: templates/admin.php:246 templates/personal.php:116 msgid "Version" msgstr "Version" -#: templates/admin.php:240 templates/personal.php:119 +#: templates/admin.php:250 templates/personal.php:119 msgid "" "Developed by the ownCloud community, the access your Files via WebDAV" +msgstr "Anvend denne adresse til at tilgå dine filer via WebDAV" #: templates/users.php:21 msgid "Login Name" diff --git a/l10n/da/user_ldap.po b/l10n/da/user_ldap.po index 376fd0238e..a1e97e8919 100644 --- a/l10n/da/user_ldap.po +++ b/l10n/da/user_ldap.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: I Robot \n" "Language-Team: Danish (http://www.transifex.com/projects/p/owncloud/language/da/)\n" "MIME-Version: 1.0\n" diff --git a/l10n/de/core.po b/l10n/de/core.po index a6cacb3fc7..29dfc00384 100644 --- a/l10n/de/core.po +++ b/l10n/de/core.po @@ -7,14 +7,15 @@ # Marcel Kühlhorn , 2013 # JamFX , 2013 # ninov , 2013 +# Pwnicorn , 2013 # Mirodin , 2013 msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:12+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:04+0000\n" +"Last-Translator: Pwnicorn \n" "Language-Team: German \n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -142,59 +143,59 @@ msgstr "November" msgid "December" msgstr "Dezember" -#: js/js.js:289 +#: js/js.js:293 msgid "Settings" msgstr "Einstellungen" -#: js/js.js:721 +#: js/js.js:715 msgid "seconds ago" msgstr "Gerade eben" -#: js/js.js:722 +#: js/js.js:716 msgid "1 minute ago" msgstr "vor einer Minute" -#: js/js.js:723 +#: js/js.js:717 msgid "{minutes} minutes ago" msgstr "Vor {minutes} Minuten" -#: js/js.js:724 +#: js/js.js:718 msgid "1 hour ago" msgstr "Vor einer Stunde" -#: js/js.js:725 +#: js/js.js:719 msgid "{hours} hours ago" msgstr "Vor {hours} Stunden" -#: js/js.js:726 +#: js/js.js:720 msgid "today" msgstr "Heute" -#: js/js.js:727 +#: js/js.js:721 msgid "yesterday" msgstr "Gestern" -#: js/js.js:728 +#: js/js.js:722 msgid "{days} days ago" msgstr "Vor {days} Tag(en)" -#: js/js.js:729 +#: js/js.js:723 msgid "last month" msgstr "Letzten Monat" -#: js/js.js:730 +#: js/js.js:724 msgid "{months} months ago" msgstr "Vor {months} Monaten" -#: js/js.js:731 +#: js/js.js:725 msgid "months ago" msgstr "Vor Monaten" -#: js/js.js:732 +#: js/js.js:726 msgid "last year" msgstr "Letztes Jahr" -#: js/js.js:733 +#: js/js.js:727 msgid "years ago" msgstr "Vor Jahren" @@ -230,8 +231,8 @@ msgstr "Der Objekttyp ist nicht angegeben." #: js/oc-vcategories.js:14 js/oc-vcategories.js:80 js/oc-vcategories.js:95 #: js/oc-vcategories.js:110 js/oc-vcategories.js:125 js/oc-vcategories.js:136 #: js/oc-vcategories.js:172 js/oc-vcategories.js:189 js/oc-vcategories.js:195 -#: js/oc-vcategories.js:199 js/share.js:136 js/share.js:143 js/share.js:618 -#: js/share.js:630 +#: js/oc-vcategories.js:199 js/share.js:136 js/share.js:143 js/share.js:625 +#: js/share.js:637 msgid "Error" msgstr "Fehler" @@ -251,7 +252,7 @@ msgstr "Geteilt" msgid "Share" msgstr "Teilen" -#: js/share.js:125 js/share.js:658 +#: js/share.js:125 js/share.js:665 msgid "Error while sharing" msgstr "Fehler beim Teilen" @@ -271,114 +272,114 @@ msgstr "{owner} hat dies mit Dir und der Gruppe {group} geteilt" msgid "Shared with you by {owner}" msgstr "{owner} hat dies mit Dir geteilt" -#: js/share.js:172 +#: js/share.js:177 msgid "Share with" msgstr "Teilen mit" -#: js/share.js:177 +#: js/share.js:182 msgid "Share with link" msgstr "Über einen Link freigegeben" -#: js/share.js:180 +#: js/share.js:185 msgid "Password protect" msgstr "Passwortschutz" -#: js/share.js:182 templates/installation.php:54 templates/login.php:26 +#: js/share.js:187 templates/installation.php:54 templates/login.php:26 msgid "Password" msgstr "Passwort" -#: js/share.js:186 +#: js/share.js:192 msgid "Allow Public Upload" -msgstr "" +msgstr "Öffentliches Hochladen erlauben" -#: js/share.js:189 +#: js/share.js:196 msgid "Email link to person" msgstr "Link per E-Mail verschicken" -#: js/share.js:190 +#: js/share.js:197 msgid "Send" msgstr "Senden" -#: js/share.js:195 +#: js/share.js:202 msgid "Set expiration date" msgstr "Setze ein Ablaufdatum" -#: js/share.js:196 +#: js/share.js:203 msgid "Expiration date" msgstr "Ablaufdatum" -#: js/share.js:228 +#: js/share.js:235 msgid "Share via email:" msgstr "Über eine E-Mail teilen:" -#: js/share.js:230 +#: js/share.js:237 msgid "No people found" msgstr "Niemand gefunden" -#: js/share.js:268 +#: js/share.js:275 msgid "Resharing is not allowed" msgstr "Weiterverteilen ist nicht erlaubt" -#: js/share.js:304 +#: js/share.js:311 msgid "Shared in {item} with {user}" msgstr "Für {user} in {item} freigegeben" -#: js/share.js:325 +#: js/share.js:332 msgid "Unshare" msgstr "Freigabe aufheben" -#: js/share.js:337 +#: js/share.js:344 msgid "can edit" msgstr "kann bearbeiten" -#: js/share.js:339 +#: js/share.js:346 msgid "access control" msgstr "Zugriffskontrolle" -#: js/share.js:342 +#: js/share.js:349 msgid "create" msgstr "erstellen" -#: js/share.js:345 +#: js/share.js:352 msgid "update" msgstr "aktualisieren" -#: js/share.js:348 +#: js/share.js:355 msgid "delete" msgstr "löschen" -#: js/share.js:351 +#: js/share.js:358 msgid "share" msgstr "teilen" -#: js/share.js:385 js/share.js:605 +#: js/share.js:392 js/share.js:612 msgid "Password protected" msgstr "Durch ein Passwort geschützt" -#: js/share.js:618 +#: js/share.js:625 msgid "Error unsetting expiration date" msgstr "Fehler beim Entfernen des Ablaufdatums" -#: js/share.js:630 +#: js/share.js:637 msgid "Error setting expiration date" msgstr "Fehler beim Setzen des Ablaufdatums" -#: js/share.js:645 +#: js/share.js:652 msgid "Sending ..." msgstr "Sende ..." -#: js/share.js:656 +#: js/share.js:663 msgid "Email sent" msgstr "E-Mail wurde verschickt" -#: js/update.js:14 +#: js/update.js:17 msgid "" "The update was unsuccessful. Please report this issue to the ownCloud " "community." msgstr "Das Update ist fehlgeschlagen. Bitte melde dieses Problem an die ownCloud Community." -#: js/update.js:18 +#: js/update.js:21 msgid "The update was successful. Redirecting you to ownCloud now." msgstr "Das Update war erfolgreich. Du wirst nun zu ownCloud weitergeleitet." @@ -470,7 +471,7 @@ msgstr "Zugriff verboten" msgid "Cloud not found" msgstr "Cloud nicht gefunden" -#: templates/altmail.php:2 +#: templates/altmail.php:4 #, php-format msgid "" "Hey there,\n" @@ -481,10 +482,6 @@ msgid "" "Cheers!" msgstr "Hallo,\n\nwollte dich nur kurz informieren, dass %s gerade %s mit dir geteilt hat.\nSchau es dir an: %s\n\nGruß!" -#: templates/altmail.php:7 templates/mail.php:24 -msgid "web services under your control" -msgstr "Web-Services unter Deiner Kontrolle" - #: templates/edit_categories_dialog.php:4 msgid "Edit categories" msgstr "Kategorien bearbeiten" @@ -616,7 +613,7 @@ msgstr "Einloggen" msgid "Alternative Logins" msgstr "Alternative Logins" -#: templates/mail.php:15 +#: templates/mail.php:16 #, php-format msgid "" "Hey there,

    just letting you know that %s shared »%s« with you.
    , 2013 # ninov , 2013 +# Pwnicorn , 2013 +# kabum , 2013 msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:12+0200\n" -"PO-Revision-Date: 2013-07-04 07:55+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:04+0000\n" "Last-Translator: I Robot \n" "Language-Team: German \n" "MIME-Version: 1.0\n" @@ -29,54 +31,54 @@ msgstr "Konnte %s nicht verschieben. Eine Datei mit diesem Namen existiert berei msgid "Could not move %s" msgstr "Konnte %s nicht verschieben" -#: ajax/upload.php:16 ajax/upload.php:39 +#: ajax/upload.php:16 ajax/upload.php:45 msgid "Unable to set upload directory." -msgstr "" +msgstr "Das Upload-Verzeichnis konnte nicht gesetzt werden." -#: ajax/upload.php:23 +#: ajax/upload.php:22 msgid "Invalid Token" -msgstr "" +msgstr "Ungültiges Merkmal" -#: ajax/upload.php:55 +#: ajax/upload.php:59 msgid "No file was uploaded. Unknown error" msgstr "Keine Datei hochgeladen. Unbekannter Fehler" -#: ajax/upload.php:62 +#: ajax/upload.php:66 msgid "There is no error, the file uploaded with success" msgstr "Es ist kein Fehler aufgetreten. Die Datei wurde erfolgreich hochgeladen." -#: ajax/upload.php:63 +#: ajax/upload.php:67 msgid "" "The uploaded file exceeds the upload_max_filesize directive in php.ini: " msgstr "Die hochgeladene Datei überschreitet die upload_max_filesize Vorgabe in php.ini" -#: ajax/upload.php:65 +#: ajax/upload.php:69 msgid "" "The uploaded file exceeds the MAX_FILE_SIZE directive that was specified in " "the HTML form" msgstr "Die Datei ist größer, als die MAX_FILE_SIZE Direktive erlaubt, die im HTML-Formular spezifiziert ist" -#: ajax/upload.php:66 +#: ajax/upload.php:70 msgid "The uploaded file was only partially uploaded" msgstr "Die Datei konnte nur teilweise übertragen werden" -#: ajax/upload.php:67 +#: ajax/upload.php:71 msgid "No file was uploaded" msgstr "Keine Datei konnte übertragen werden." -#: ajax/upload.php:68 +#: ajax/upload.php:72 msgid "Missing a temporary folder" msgstr "Kein temporärer Ordner vorhanden" -#: ajax/upload.php:69 +#: ajax/upload.php:73 msgid "Failed to write to disk" msgstr "Fehler beim Schreiben auf die Festplatte" -#: ajax/upload.php:87 +#: ajax/upload.php:91 msgid "Not enough storage available" msgstr "Nicht genug Speicher vorhanden." -#: ajax/upload.php:119 +#: ajax/upload.php:123 msgid "Invalid directory." msgstr "Ungültiges Verzeichnis." @@ -130,43 +132,43 @@ msgstr "Löschen" msgid "Rename" msgstr "Umbenennen" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:464 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:465 msgid "Pending" msgstr "Ausstehend" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "{new_name} already exists" msgstr "{new_name} existiert bereits" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "replace" msgstr "ersetzen" -#: js/filelist.js:302 +#: js/filelist.js:303 msgid "suggest name" msgstr "Namen vorschlagen" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "cancel" msgstr "abbrechen" -#: js/filelist.js:349 +#: js/filelist.js:350 msgid "replaced {new_name} with {old_name}" msgstr "{old_name} ersetzt durch {new_name}" -#: js/filelist.js:349 +#: js/filelist.js:350 msgid "undo" msgstr "rückgängig machen" -#: js/filelist.js:374 +#: js/filelist.js:375 msgid "perform delete operation" msgstr "Löschvorgang ausführen" -#: js/filelist.js:456 +#: js/filelist.js:457 msgid "1 file uploading" msgstr "1 Datei wird hochgeladen" -#: js/filelist.js:459 js/filelist.js:517 +#: js/filelist.js:460 js/filelist.js:518 msgid "files uploading" msgstr "Dateien werden hoch geladen" @@ -214,26 +216,26 @@ msgstr "Größe" msgid "Modified" msgstr "Geändert" -#: js/files.js:765 +#: js/files.js:763 msgid "1 folder" msgstr "1 Ordner" -#: js/files.js:767 +#: js/files.js:765 msgid "{count} folders" msgstr "{count} Ordner" -#: js/files.js:775 +#: js/files.js:773 msgid "1 file" msgstr "1 Datei" -#: js/files.js:777 +#: js/files.js:775 msgid "{count} files" msgstr "{count} Dateien" #: lib/app.php:73 #, php-format msgid "%s could not be renamed" -msgstr "" +msgstr "%s konnte nicht umbenannt werden" #: lib/helper.php:11 templates/index.php:18 msgid "Upload" @@ -329,19 +331,19 @@ msgstr "Dateien werden gescannt, bitte warten." msgid "Current scanning" msgstr "Scanne" -#: templates/part.list.php:78 +#: templates/part.list.php:74 msgid "directory" -msgstr "" +msgstr "Verzeichnis" -#: templates/part.list.php:80 +#: templates/part.list.php:76 msgid "directories" -msgstr "" +msgstr "Verzeichnisse" -#: templates/part.list.php:89 +#: templates/part.list.php:85 msgid "file" msgstr "Datei" -#: templates/part.list.php:91 +#: templates/part.list.php:87 msgid "files" msgstr "Dateien" diff --git a/l10n/de/files_encryption.po b/l10n/de/files_encryption.po index a1ca99ba26..aa7ff7b7d9 100644 --- a/l10n/de/files_encryption.po +++ b/l10n/de/files_encryption.po @@ -6,13 +6,15 @@ # iLennart21 , 2013 # Stephan Köninger , 2013 # ninov , 2013 +# Pwnicorn , 2013 +# kabum , 2013 msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:12+0200\n" -"PO-Revision-Date: 2013-07-05 00:13+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-07-12 02:03+0200\n" +"PO-Revision-Date: 2013-07-11 12:50+0000\n" +"Last-Translator: kabum \n" "Language-Team: German \n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -54,7 +56,7 @@ msgstr "Passwort des privaten Schlüssels erfolgreich aktualisiert" msgid "" "Could not update the private key password. Maybe the old password was not " "correct." -msgstr "" +msgstr "Das Passwort des privaten Schlüssels konnte nicht aktualisiert werden. Eventuell war das alte Passwort falsch." #: files/error.php:7 msgid "" @@ -62,18 +64,18 @@ msgid "" "ownCloud system (e.g. your corporate directory). You can update your private" " key password in your personal settings to recover access to your encrypted " "files." -msgstr "" +msgstr "Dein privater Schlüssel ist ungültig. Möglicher Weise wurde von außerhalb Dein Passwort geändert (z.B. in deinem gemeinsamen Verzeichnis). Du kannst das Passwort deines privaten Schlüssels in den persönlichen Einstellungen aktualisieren, um wieder an deine Dateien zu gelangen." #: hooks/hooks.php:44 msgid "Missing requirements." -msgstr "" +msgstr "Fehlende Vorraussetzungen" #: hooks/hooks.php:45 msgid "" "Please make sure that PHP 5.3.3 or newer is installed and that the OpenSSL " "PHP extension is enabled and configured properly. For now, the encryption " "app has been disabled." -msgstr "" +msgstr "Bitte stellen Sie sicher, dass PHP 5.3.3 oder neuer installiert ist und die OpenSSL-PHP-Erweiterung aktiviert und richtig konfiguriert ist. Die Verschlüsselungsanwendung wurde vorerst deaktiviert." #: js/settings-admin.js:11 msgid "Saving..." @@ -83,11 +85,11 @@ msgstr "Speichern..." msgid "" "Your private key is not valid! Maybe the your password was changed from " "outside." -msgstr "" +msgstr "Ihr privater Schlüssel ist ungültig! Eventuell wurde Ihr Passwort von außerhalb geändert." #: templates/invalid_private_key.php:7 msgid "You can unlock your private key in your " -msgstr "" +msgstr "Du kannst den privaten Schlüssel ändern und zwar in deinem" #: templates/invalid_private_key.php:7 msgid "personal settings" @@ -100,11 +102,11 @@ msgstr "Verschlüsselung" #: templates/settings-admin.php:10 msgid "" "Enable recovery key (allow to recover users files in case of password loss):" -msgstr "" +msgstr "Wiederherstellungsschlüssel aktivieren (ermöglicht das Wiederherstellen von Dateien, falls das Passwort vergessen wurde):" #: templates/settings-admin.php:14 msgid "Recovery key password" -msgstr "" +msgstr "Wiederherstellungsschlüssel-Passwort" #: templates/settings-admin.php:21 templates/settings-personal.php:54 msgid "Enabled" @@ -116,15 +118,15 @@ msgstr "Deaktiviert" #: templates/settings-admin.php:34 msgid "Change recovery key password:" -msgstr "" +msgstr "Wiederherstellungsschlüssel-Passwort ändern:" #: templates/settings-admin.php:41 msgid "Old Recovery key password" -msgstr "" +msgstr "Altes Wiederherstellungsschlüssel-Passwort" #: templates/settings-admin.php:48 msgid "New Recovery key password" -msgstr "" +msgstr "Neues Wiederherstellungsschlüssel-Passwort" #: templates/settings-admin.php:53 msgid "Change Password" @@ -132,17 +134,17 @@ msgstr "Passwort ändern" #: templates/settings-personal.php:11 msgid "Your private key password no longer match your log-in password:" -msgstr "" +msgstr "Ihr Passwort für ihren privaten Schlüssel stimmt nicht mehr mit ihrem Loginpasswort überein." #: templates/settings-personal.php:14 msgid "Set your old private key password to your current log-in password." -msgstr "" +msgstr "Setzen Sie ihr altes Passwort für ihren privaten Schlüssel auf ihr aktuelles Login-Passwort" #: templates/settings-personal.php:16 msgid "" " If you don't remember your old password you can ask your administrator to " "recover your files." -msgstr "" +msgstr "Wenn Sie Ihr altes Passwort vergessen haben, können Sie den Administrator bitten, Ihre Daten wiederherzustellen." #: templates/settings-personal.php:24 msgid "Old log-in password" @@ -154,17 +156,17 @@ msgstr "Aktuelles Passwort" #: templates/settings-personal.php:35 msgid "Update Private Key Password" -msgstr "" +msgstr "Passwort für den privaten Schlüssel aktualisieren" #: templates/settings-personal.php:45 msgid "Enable password recovery:" -msgstr "" +msgstr "Passwortwiederherstellung aktivvieren:" #: templates/settings-personal.php:47 msgid "" "Enabling this option will allow you to reobtain access to your encrypted " "files in case of password loss" -msgstr "" +msgstr "Wenn Sie diese Option aktivieren, können Sie Ihre verschlüsselten Dateien wiederherstellen, falls Sie Ihr Passwort vergessen" #: templates/settings-personal.php:63 msgid "File recovery settings updated" @@ -172,4 +174,4 @@ msgstr "Einstellungen zur Wiederherstellung von Dateien wurden aktualisiert" #: templates/settings-personal.php:64 msgid "Could not update file recovery" -msgstr "" +msgstr "Dateiwiederherstellung konnte nicht aktualisiert werden" diff --git a/l10n/de/files_external.po b/l10n/de/files_external.po index f3cdeba0bf..e2285c753a 100644 --- a/l10n/de/files_external.po +++ b/l10n/de/files_external.po @@ -8,8 +8,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: Mirodin \n" "Language-Team: German \n" "MIME-Version: 1.0\n" @@ -38,20 +38,20 @@ msgstr "Bitte trage einen gültigen Dropbox-App-Key mit Secret ein." msgid "Error configuring Google Drive storage" msgstr "Fehler beim Einrichten von Google Drive" -#: lib/config.php:431 +#: lib/config.php:447 msgid "" "Warning: \"smbclient\" is not installed. Mounting of CIFS/SMB shares " "is not possible. Please ask your system administrator to install it." msgstr "Warnung: \"smbclient\" ist nicht installiert. Das Einhängen von CIFS/SMB-Freigaben ist nicht möglich. Bitte Deinen System-Administrator, dies zu installieren." -#: lib/config.php:434 +#: lib/config.php:450 msgid "" "Warning: The FTP support in PHP is not enabled or installed. Mounting" " of FTP shares is not possible. Please ask your system administrator to " "install it." msgstr "Warnung:: Die FTP Unterstützung von PHP ist nicht aktiviert oder installiert. Bitte wende Dich an Deinen Systemadministrator." -#: lib/config.php:437 +#: lib/config.php:453 msgid "" "Warning: The Curl support in PHP is not enabled or installed. " "Mounting of ownCloud / WebDAV or GoogleDrive is not possible. Please ask " diff --git a/l10n/de/files_sharing.po b/l10n/de/files_sharing.po index 77223a57f7..8ca2975823 100644 --- a/l10n/de/files_sharing.po +++ b/l10n/de/files_sharing.po @@ -3,13 +3,14 @@ # This file is distributed under the same license as the PACKAGE package. # # Translators: +# Pwnicorn , 2013 msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:13+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" +"Last-Translator: Pwnicorn \n" "Language-Team: German \n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -19,7 +20,7 @@ msgstr "" #: templates/authenticate.php:4 msgid "The password is wrong. Try again." -msgstr "" +msgstr "Bitte überprüfen sie Ihr Passwort und versuchen Sie es erneut." #: templates/authenticate.php:7 msgid "Password" @@ -39,18 +40,18 @@ msgstr "%s hat den Ordner %s mit Dir geteilt" msgid "%s shared the file %s with you" msgstr "%s hat die Datei %s mit Dir geteilt" -#: templates/public.php:28 templates/public.php:86 +#: templates/public.php:28 templates/public.php:90 msgid "Download" msgstr "Download" -#: templates/public.php:44 +#: templates/public.php:45 templates/public.php:48 msgid "Upload" msgstr "Hochladen" -#: templates/public.php:54 +#: templates/public.php:58 msgid "Cancel upload" msgstr "Upload abbrechen" -#: templates/public.php:83 +#: templates/public.php:87 msgid "No preview available for" msgstr "Es ist keine Vorschau verfügbar für" diff --git a/l10n/de/files_trashbin.po b/l10n/de/files_trashbin.po index 15dd9ceed0..db0ad5cb7b 100644 --- a/l10n/de/files_trashbin.po +++ b/l10n/de/files_trashbin.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: Mirodin \n" "Language-Team: German \n" "MIME-Version: 1.0\n" diff --git a/l10n/de/lib.po b/l10n/de/lib.po index ca9e8ded5f..9617f86840 100644 --- a/l10n/de/lib.po +++ b/l10n/de/lib.po @@ -9,8 +9,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:13+0000\n" +"POT-Creation-Date: 2013-07-24 01:55-0400\n" +"PO-Revision-Date: 2013-07-24 05:55+0000\n" "Last-Translator: I Robot \n" "Language-Team: German \n" "MIME-Version: 1.0\n" @@ -43,27 +43,43 @@ msgstr "Apps" msgid "Admin" msgstr "Administration" -#: defaults.php:33 -msgid "web services under your control" +#: app.php:844 +#, php-format +msgid "Failed to upgrade \"%s\"." msgstr "" -#: files.php:210 +#: defaults.php:33 +msgid "web services under your control" +msgstr "Web-Services unter Deiner Kontrolle" + +#: files.php:66 files.php:98 +#, php-format +msgid "cannot open \"%s\"" +msgstr "" + +#: files.php:226 msgid "ZIP download is turned off." msgstr "Der ZIP-Download ist deaktiviert." -#: files.php:211 +#: files.php:227 msgid "Files need to be downloaded one by one." msgstr "Die Dateien müssen einzeln heruntergeladen werden." -#: files.php:212 files.php:245 +#: files.php:228 files.php:256 msgid "Back to Files" msgstr "Zurück zu \"Dateien\"" -#: files.php:242 +#: files.php:253 msgid "Selected files too large to generate zip file." msgstr "Die gewählten Dateien sind zu groß, um eine ZIP-Datei zu erstellen." -#: helper.php:236 +#: files.php:254 +msgid "" +"Download the files in smaller chunks, seperately or kindly ask your " +"administrator." +msgstr "" + +#: helper.php:235 msgid "couldn't be determined" msgstr "konnte nicht festgestellt werden" @@ -172,77 +188,81 @@ msgstr "Fehlerhafter Befehl war: \"%s\", Name: %s, Passwort: %s" msgid "PostgreSQL username and/or password not valid" msgstr "PostgreSQL Benutzername und/oder Passwort ungültig" -#: setup.php:42 +#: setup.php:28 msgid "Set an admin username." msgstr "Setze Administrator Benutzername." -#: setup.php:45 +#: setup.php:31 msgid "Set an admin password." msgstr "Setze Administrator Passwort" -#: setup.php:198 +#: setup.php:184 msgid "" "Your web server is not yet properly setup to allow files synchronization " "because the WebDAV interface seems to be broken." msgstr "Dein Web-Server ist noch nicht für Datei-Synchronisation bereit, weil die WebDAV-Schnittstelle vermutlich defekt ist." -#: setup.php:199 +#: setup.php:185 #, php-format msgid "Please double check the installation guides." msgstr "Bitte prüfe die Installationsanleitungen." -#: template.php:113 +#: template/functions.php:80 msgid "seconds ago" msgstr "Gerade eben" -#: template.php:114 +#: template/functions.php:81 msgid "1 minute ago" msgstr "vor einer Minute" -#: template.php:115 +#: template/functions.php:82 #, php-format msgid "%d minutes ago" msgstr "Vor %d Minuten" -#: template.php:116 +#: template/functions.php:83 msgid "1 hour ago" msgstr "Vor einer Stunde" -#: template.php:117 +#: template/functions.php:84 #, php-format msgid "%d hours ago" msgstr "Vor %d Stunden" -#: template.php:118 +#: template/functions.php:85 msgid "today" msgstr "Heute" -#: template.php:119 +#: template/functions.php:86 msgid "yesterday" msgstr "Gestern" -#: template.php:120 +#: template/functions.php:87 #, php-format msgid "%d days ago" msgstr "Vor %d Tag(en)" -#: template.php:121 +#: template/functions.php:88 msgid "last month" msgstr "Letzten Monat" -#: template.php:122 +#: template/functions.php:89 #, php-format msgid "%d months ago" msgstr "Vor %d Monaten" -#: template.php:123 +#: template/functions.php:90 msgid "last year" msgstr "Letztes Jahr" -#: template.php:124 +#: template/functions.php:91 msgid "years ago" msgstr "Vor Jahren" +#: template.php:296 +msgid "Caused by:" +msgstr "" + #: vcategories.php:188 vcategories.php:249 #, php-format msgid "Could not find category \"%s\"" diff --git a/l10n/de/settings.po b/l10n/de/settings.po index de687856b6..ec725c9476 100644 --- a/l10n/de/settings.po +++ b/l10n/de/settings.po @@ -6,14 +6,15 @@ # arkascha , 2013 # Mario Siegmann , 2013 # ninov , 2013 +# Pwnicorn , 2013 # Mirodin , 2013 msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:55+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-07-24 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 21:56+0000\n" +"Last-Translator: Mario Siegmann \n" "Language-Team: German \n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -277,62 +278,71 @@ msgstr "Erlaubt Links" msgid "Allow users to share items to the public with links" msgstr "Erlaubt Benutzern, Inhalte über öffentliche Links zu teilen" -#: templates/admin.php:152 +#: templates/admin.php:153 +msgid "Allow public uploads" +msgstr "Öffentliches Hochladen erlauben" + +#: templates/admin.php:154 +msgid "" +"Allow users to enable others to upload into their publicly shared folders" +msgstr "Erlaubt Benutzern die Freigabe anderer Benutzer in ihren öffentlich freigegebene Ordner hochladen zu dürfen" + +#: templates/admin.php:162 msgid "Allow resharing" msgstr "Erlaubt erneutes Teilen" -#: templates/admin.php:153 +#: templates/admin.php:163 msgid "Allow users to share items shared with them again" msgstr "Erlaubt Benutzern, mit ihnen geteilte Inhalte erneut zu teilen" -#: templates/admin.php:160 +#: templates/admin.php:170 msgid "Allow users to share with anyone" msgstr "Erlaubt Benutzern, mit jedem zu teilen" -#: templates/admin.php:163 +#: templates/admin.php:173 msgid "Allow users to only share with users in their groups" msgstr "Erlaubt Benutzern, nur mit Benutzern ihrer Gruppe zu teilen" -#: templates/admin.php:170 +#: templates/admin.php:180 msgid "Security" msgstr "Sicherheit" -#: templates/admin.php:183 +#: templates/admin.php:193 msgid "Enforce HTTPS" msgstr "Erzwinge HTTPS" -#: templates/admin.php:184 +#: templates/admin.php:194 msgid "" "Enforces the clients to connect to ownCloud via an encrypted connection." msgstr "Erzwingt die Verwendung einer verschlüsselten Verbindung" -#: templates/admin.php:187 +#: templates/admin.php:197 msgid "" "Please connect to this ownCloud instance via HTTPS to enable or disable the " "SSL enforcement." msgstr "Bitte verbinde Dich über eine HTTPS Verbindung mit diesem ownCloud Server um diese Einstellung zu ändern" -#: templates/admin.php:197 +#: templates/admin.php:207 msgid "Log" msgstr "Log" -#: templates/admin.php:198 +#: templates/admin.php:208 msgid "Log level" msgstr "Loglevel" -#: templates/admin.php:229 +#: templates/admin.php:239 msgid "More" msgstr "Mehr" -#: templates/admin.php:230 +#: templates/admin.php:240 msgid "Less" msgstr "Weniger" -#: templates/admin.php:236 templates/personal.php:116 +#: templates/admin.php:246 templates/personal.php:116 msgid "Version" msgstr "Version" -#: templates/admin.php:240 templates/personal.php:119 +#: templates/admin.php:250 templates/personal.php:119 msgid "" "Developed by the ownCloud community, the access your Files via WebDAV" +msgstr "Verwenden Sie diese Adresse, um via WebDAV auf Ihre Dateien zuzugreifen" #: templates/users.php:21 msgid "Login Name" diff --git a/l10n/de/user_ldap.po b/l10n/de/user_ldap.po index 50dc8c9c5f..b132f410c0 100644 --- a/l10n/de/user_ldap.po +++ b/l10n/de/user_ldap.po @@ -4,13 +4,16 @@ # # Translators: # Marcel Kühlhorn , 2013 +# Mario Siegmann , 2013 +# Pwnicorn , 2013 +# kabum , 2013 msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" +"Last-Translator: Mario Siegmann \n" "Language-Team: German \n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -20,7 +23,7 @@ msgstr "" #: ajax/clearMappings.php:34 msgid "Failed to clear the mappings." -msgstr "" +msgstr "Löschen der Zuordnung fehlgeschlagen." #: ajax/deleteConfiguration.php:34 msgid "Failed to delete the server configuration" @@ -60,7 +63,7 @@ msgstr "Das Hinzufügen der Serverkonfiguration schlug fehl" #: js/settings.js:111 msgid "mappings cleared" -msgstr "" +msgstr "Zuordnungen gelöscht" #: js/settings.js:112 msgid "Success" @@ -343,7 +346,7 @@ msgstr "Ohne Eingabe wird der Benutzername (Standard) verwendet. Anderenfall tra #: templates/settings.php:101 msgid "Internal Username" -msgstr "" +msgstr "Interner Benutzername" #: templates/settings.php:102 msgid "" @@ -359,15 +362,15 @@ msgid "" "achieve a similar behaviour as before ownCloud 5 enter the user display name" " attribute in the following field. Leave it empty for default behaviour. " "Changes will have effect only on newly mapped (added) LDAP users." -msgstr "" +msgstr "Standardmäßig wird der interne Benutzername aus der UUID erstellt. Dies stellt sicher, daß der Name einmalig ist und keine Zeichen umgewandelt werden müssen. Für den internen Benutzernamen sind nur die folgenden Zeichen zulässig: [ a-zA-Z0-9_.@- ]. Andere Zeichen werden durch ihr ASCII-Äquivalent ersetzt oder ausgelassen. Bei Kollisionen wird eine Nummer hinzugefügt/erhöht. Der interne Benutzername wird verwendet, um einen Benutzer intern zu identifizieren. Er ist auch der Standardname für das Benutzerverzeichnis in ownCloud und Teil von Remote-URLs, unter anderem für alle *DAV-Dienste. Mit dieser Einstellung kann das Standardverhalten geändert werden. Um ein ähnliches Verhalten wie in ownCloud 5 zu erreichen, geben Sie das Benutzer-Anzeige-Namen-Attribut in das folgende Feld ein. Änderungen betreffen nur neu angelegte LDAP-Benutzer." #: templates/settings.php:103 msgid "Internal Username Attribute:" -msgstr "" +msgstr "Attribut für interne Benutzernamen:" #: templates/settings.php:104 msgid "Override UUID detection" -msgstr "" +msgstr "UUID-Erkennung überschreiben" #: templates/settings.php:105 msgid "" @@ -378,15 +381,15 @@ msgid "" "You must make sure that the attribute of your choice can be fetched for both" " users and groups and it is unique. Leave it empty for default behaviour. " "Changes will have effect only on newly mapped (added) LDAP users and groups." -msgstr "" +msgstr "Standardmäßig erkennt ownCloud das UUID-Attribut automatisch. Das UUID-Attribut wird benutzt, um LDAP-Benutzer und Gruppen eindeutig zu identifizieren. Außerdem wird der interne Benutzername basierend auf der UUID erstellt, wenn nicht anders angegeben. Sie können dieses Verhalten ändern und ein Attribut Ihrer Wahl angeben. Sie müssen sichergehen, dass das Attribut Ihrer Wahl auf Benutzer und Gruppen anwendbar und einzigartig ist. Für das Standardverhalten lassen Sie das Feld leer. Änderungen betreffen nur neu angelegte LDAP-Benutzer und Gruppen." #: templates/settings.php:106 msgid "UUID Attribute:" -msgstr "" +msgstr "UUID-Attribut:" #: templates/settings.php:107 msgid "Username-LDAP User Mapping" -msgstr "" +msgstr "LDAP-Benutzernamenzuordnung" #: templates/settings.php:108 msgid "" @@ -401,15 +404,15 @@ msgid "" "configuration sensitive, it affects all LDAP configurations! Do never clear " "the mappings in a production environment. Only clear mappings in a testing " "or experimental stage." -msgstr "" +msgstr "OwnCloud nutzt die Benutzernamen, um (Meta)Daten zuzuordnen und zu speichern. Um Benutzer eindeutig und präzise zu identifizieren, hat jeder LDAP-Benutzer einen internen Benutzernamen. Dies erfordert eine Zuordnung vom OwnCloud-Benutzernamen zum LDAP-Benutzer. Der erstellte Benutzername wird der UUID des LDAP-Benutzernamens zugeordnet. Zusätzlich wird der DN zwischengespeichert, um die Interaktion mit LDAP zu minimieren, was aber nicht der Identifikation dient. Ändert sich der DN, werden die Änderungen durch OwnCloud gefunden. Der interne OwnCloud-Name, wird in der gesamten OwnCloud verwendet. Werden die Zuordnungen gelöscht, bleiben überall Reste in der OwnCloud. Die Löschung der Zuordnungen kann nicht in der Konfiguration vorgenommen werden, beeinflusst aber die LDAP-Konfiguration! Lösche niemals die Zuordnungen in einer produktiven Umgebung. Lösche die Zuordnungen nur in einer Test- oder Experimentierumgebung." #: templates/settings.php:109 msgid "Clear Username-LDAP User Mapping" -msgstr "" +msgstr "Lösche LDAP-Benutzernamenzuordnung" #: templates/settings.php:109 msgid "Clear Groupname-LDAP Group Mapping" -msgstr "" +msgstr "Lösche LDAP-Gruppennamenzuordnung" #: templates/settings.php:111 msgid "Test Configuration" diff --git a/l10n/de/user_webdavauth.po b/l10n/de/user_webdavauth.po index 47b68e0fd1..b428d9cdc8 100644 --- a/l10n/de/user_webdavauth.po +++ b/l10n/de/user_webdavauth.po @@ -6,14 +6,15 @@ # Mirodin , 2012 # Marcel Kühlhorn , 2013 # AndryXY , 2013 +# Pwnicorn , 2013 # seeed , 2012 msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-06-15 01:59+0200\n" -"PO-Revision-Date: 2013-06-15 00:00+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-07-12 02:03+0200\n" +"PO-Revision-Date: 2013-07-11 07:50+0000\n" +"Last-Translator: Pwnicorn \n" "Language-Team: German \n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -27,7 +28,7 @@ msgstr "WebDAV Authentifikation" #: templates/settings.php:4 msgid "URL: " -msgstr "" +msgstr "URL:" #: templates/settings.php:7 msgid "" diff --git a/l10n/de_DE/core.po b/l10n/de_DE/core.po index 249b57410d..b7b2edcabb 100644 --- a/l10n/de_DE/core.po +++ b/l10n/de_DE/core.po @@ -13,9 +13,9 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:12+0000\n" -"Last-Translator: SteinQuadrat\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:04+0000\n" +"Last-Translator: traductor \n" "Language-Team: German (Germany) \n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -143,59 +143,59 @@ msgstr "November" msgid "December" msgstr "Dezember" -#: js/js.js:289 +#: js/js.js:293 msgid "Settings" msgstr "Einstellungen" -#: js/js.js:721 +#: js/js.js:715 msgid "seconds ago" msgstr "Gerade eben" -#: js/js.js:722 +#: js/js.js:716 msgid "1 minute ago" msgstr "Vor 1 Minute" -#: js/js.js:723 +#: js/js.js:717 msgid "{minutes} minutes ago" msgstr "Vor {minutes} Minuten" -#: js/js.js:724 +#: js/js.js:718 msgid "1 hour ago" msgstr "Vor einer Stunde" -#: js/js.js:725 +#: js/js.js:719 msgid "{hours} hours ago" msgstr "Vor {hours} Stunden" -#: js/js.js:726 +#: js/js.js:720 msgid "today" msgstr "Heute" -#: js/js.js:727 +#: js/js.js:721 msgid "yesterday" msgstr "Gestern" -#: js/js.js:728 +#: js/js.js:722 msgid "{days} days ago" msgstr "Vor {days} Tag(en)" -#: js/js.js:729 +#: js/js.js:723 msgid "last month" msgstr "Letzten Monat" -#: js/js.js:730 +#: js/js.js:724 msgid "{months} months ago" msgstr "Vor {months} Monaten" -#: js/js.js:731 +#: js/js.js:725 msgid "months ago" msgstr "Vor Monaten" -#: js/js.js:732 +#: js/js.js:726 msgid "last year" msgstr "Letztes Jahr" -#: js/js.js:733 +#: js/js.js:727 msgid "years ago" msgstr "Vor Jahren" @@ -231,8 +231,8 @@ msgstr "Der Objekttyp ist nicht angegeben." #: js/oc-vcategories.js:14 js/oc-vcategories.js:80 js/oc-vcategories.js:95 #: js/oc-vcategories.js:110 js/oc-vcategories.js:125 js/oc-vcategories.js:136 #: js/oc-vcategories.js:172 js/oc-vcategories.js:189 js/oc-vcategories.js:195 -#: js/oc-vcategories.js:199 js/share.js:136 js/share.js:143 js/share.js:618 -#: js/share.js:630 +#: js/oc-vcategories.js:199 js/share.js:136 js/share.js:143 js/share.js:625 +#: js/share.js:637 msgid "Error" msgstr "Fehler" @@ -252,7 +252,7 @@ msgstr "Geteilt" msgid "Share" msgstr "Teilen" -#: js/share.js:125 js/share.js:658 +#: js/share.js:125 js/share.js:665 msgid "Error while sharing" msgstr "Fehler beim Teilen" @@ -272,114 +272,114 @@ msgstr "Von {owner} mit Ihnen und der Gruppe {group} geteilt." msgid "Shared with you by {owner}" msgstr "Von {owner} mit Ihnen geteilt." -#: js/share.js:172 +#: js/share.js:177 msgid "Share with" msgstr "Teilen mit" -#: js/share.js:177 +#: js/share.js:182 msgid "Share with link" msgstr "Über einen Link teilen" -#: js/share.js:180 +#: js/share.js:185 msgid "Password protect" msgstr "Passwortschutz" -#: js/share.js:182 templates/installation.php:54 templates/login.php:26 +#: js/share.js:187 templates/installation.php:54 templates/login.php:26 msgid "Password" msgstr "Passwort" -#: js/share.js:186 +#: js/share.js:192 msgid "Allow Public Upload" -msgstr "Erlaube öffentliches hochladen" +msgstr "Öffentliches Hochladen erlauben" -#: js/share.js:189 +#: js/share.js:196 msgid "Email link to person" msgstr "Link per E-Mail verschicken" -#: js/share.js:190 +#: js/share.js:197 msgid "Send" msgstr "Senden" -#: js/share.js:195 +#: js/share.js:202 msgid "Set expiration date" msgstr "Ein Ablaufdatum setzen" -#: js/share.js:196 +#: js/share.js:203 msgid "Expiration date" msgstr "Ablaufdatum" -#: js/share.js:228 +#: js/share.js:235 msgid "Share via email:" msgstr "Mittels einer E-Mail teilen:" -#: js/share.js:230 +#: js/share.js:237 msgid "No people found" msgstr "Niemand gefunden" -#: js/share.js:268 +#: js/share.js:275 msgid "Resharing is not allowed" msgstr "Das Weiterverteilen ist nicht erlaubt" -#: js/share.js:304 +#: js/share.js:311 msgid "Shared in {item} with {user}" msgstr "Freigegeben in {item} von {user}" -#: js/share.js:325 +#: js/share.js:332 msgid "Unshare" msgstr "Freigabe aufheben" -#: js/share.js:337 +#: js/share.js:344 msgid "can edit" msgstr "kann bearbeiten" -#: js/share.js:339 +#: js/share.js:346 msgid "access control" msgstr "Zugriffskontrolle" -#: js/share.js:342 +#: js/share.js:349 msgid "create" msgstr "erstellen" -#: js/share.js:345 +#: js/share.js:352 msgid "update" msgstr "aktualisieren" -#: js/share.js:348 +#: js/share.js:355 msgid "delete" msgstr "löschen" -#: js/share.js:351 +#: js/share.js:358 msgid "share" msgstr "teilen" -#: js/share.js:385 js/share.js:605 +#: js/share.js:392 js/share.js:612 msgid "Password protected" msgstr "Passwortgeschützt" -#: js/share.js:618 +#: js/share.js:625 msgid "Error unsetting expiration date" msgstr "Fehler beim Entfernen des Ablaufdatums" -#: js/share.js:630 +#: js/share.js:637 msgid "Error setting expiration date" msgstr "Fehler beim Setzen des Ablaufdatums" -#: js/share.js:645 +#: js/share.js:652 msgid "Sending ..." msgstr "Sende ..." -#: js/share.js:656 +#: js/share.js:663 msgid "Email sent" msgstr "Email gesendet" -#: js/update.js:14 +#: js/update.js:17 msgid "" "The update was unsuccessful. Please report this issue to the ownCloud " "community." msgstr "Das Update ist fehlgeschlagen. Bitte melden Sie dieses Problem an die ownCloud Community." -#: js/update.js:18 +#: js/update.js:21 msgid "The update was successful. Redirecting you to ownCloud now." msgstr "Das Update war erfolgreich. Sie werden nun zu ownCloud weitergeleitet." @@ -417,7 +417,7 @@ msgid "" "will be no way to get your data back after your password is reset. If you " "are not sure what to do, please contact your administrator before you " "continue. Do you really want to continue?" -msgstr "Ihre Dateien sind verschlüsselt. Wenn Sie den Wiederherstellungsschlüssel nicht aktiviert haben, wird es keinen Weg geben, um Ihre Daten wieder zu bekommen, nachdem Ihr Passwort zurückgesetzt wurde. Wenn Sie sich nicht sicher sind, was Sie tun sollen, wenden Sie sich bitte an Ihren Administrator, bevor Sie fortfahren. Wollen Sie wirklich fortfahren?" +msgstr "Ihre Dateien sind verschlüsselt. Wenn Sie den Wiederherstellungsschlüssel nicht aktiviert haben, wird es keine Möglichkeit geben, um Ihre Daten wiederzubekommen, nachdem Ihr Passwort zurückgesetzt wurde. Wenn Sie sich nicht sicher sind, was Sie tun sollen, wenden Sie sich bitte an Ihren Administrator, bevor Sie fortfahren. Wollen Sie wirklich fortfahren?" #: lostpassword/templates/lostpassword.php:24 msgid "Yes, I really want to reset my password now" @@ -471,7 +471,7 @@ msgstr "Zugriff verboten" msgid "Cloud not found" msgstr "Cloud wurde nicht gefunden" -#: templates/altmail.php:2 +#: templates/altmail.php:4 #, php-format msgid "" "Hey there,\n" @@ -482,10 +482,6 @@ msgid "" "Cheers!" msgstr "Hallo,\n\nich wollte Sie nur wissen lassen, dass %s %s mit Ihnen teilt.\nSchauen Sie es sich an: %s\n\nViele Grüße!" -#: templates/altmail.php:7 templates/mail.php:24 -msgid "web services under your control" -msgstr "Web-Services unter Ihrer Kontrolle" - #: templates/edit_categories_dialog.php:4 msgid "Edit categories" msgstr "Kategorien ändern" @@ -617,7 +613,7 @@ msgstr "Einloggen" msgid "Alternative Logins" msgstr "Alternative Logins" -#: templates/mail.php:15 +#: templates/mail.php:16 #, php-format msgid "" "Hey there,

    just letting you know that %s shared »%s« with you.
    , 2013 # Marcel Kühlhorn , 2013 +# traductor , 2013 # Mirodin , 2013 +# kabum , 2013 msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:12+0200\n" -"PO-Revision-Date: 2013-07-04 10:40+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:04+0000\n" "Last-Translator: I Robot \n" "Language-Team: German (Germany) \n" "MIME-Version: 1.0\n" @@ -25,61 +27,61 @@ msgstr "" #: ajax/move.php:17 #, php-format msgid "Could not move %s - File with this name already exists" -msgstr "Konnte %s nicht verschieben. Eine Datei mit diesem Namen existiert bereits" +msgstr "%s konnte nicht verschoben werden. Eine Datei mit diesem Namen existiert bereits." #: ajax/move.php:27 ajax/move.php:30 #, php-format msgid "Could not move %s" msgstr "Konnte %s nicht verschieben" -#: ajax/upload.php:16 ajax/upload.php:39 +#: ajax/upload.php:16 ajax/upload.php:45 msgid "Unable to set upload directory." msgstr "Das Upload-Verzeichnis konnte nicht gesetzt werden." -#: ajax/upload.php:23 +#: ajax/upload.php:22 msgid "Invalid Token" msgstr "Ungültiges Merkmal" -#: ajax/upload.php:55 +#: ajax/upload.php:59 msgid "No file was uploaded. Unknown error" msgstr "Keine Datei hochgeladen. Unbekannter Fehler" -#: ajax/upload.php:62 +#: ajax/upload.php:66 msgid "There is no error, the file uploaded with success" msgstr "Es ist kein Fehler aufgetreten. Die Datei wurde erfolgreich hochgeladen." -#: ajax/upload.php:63 +#: ajax/upload.php:67 msgid "" "The uploaded file exceeds the upload_max_filesize directive in php.ini: " msgstr "Die hochgeladene Datei überschreitet die upload_max_filesize Vorgabe in php.ini" -#: ajax/upload.php:65 +#: ajax/upload.php:69 msgid "" "The uploaded file exceeds the MAX_FILE_SIZE directive that was specified in " "the HTML form" msgstr "Die Datei ist größer, als die MAX_FILE_SIZE Vorgabe erlaubt, die im HTML-Formular spezifiziert ist" -#: ajax/upload.php:66 +#: ajax/upload.php:70 msgid "The uploaded file was only partially uploaded" msgstr "Die Datei konnte nur teilweise übertragen werden" -#: ajax/upload.php:67 +#: ajax/upload.php:71 msgid "No file was uploaded" msgstr "Keine Datei konnte übertragen werden." -#: ajax/upload.php:68 +#: ajax/upload.php:72 msgid "Missing a temporary folder" msgstr "Kein temporärer Ordner vorhanden" -#: ajax/upload.php:69 +#: ajax/upload.php:73 msgid "Failed to write to disk" msgstr "Fehler beim Schreiben auf die Festplatte" -#: ajax/upload.php:87 +#: ajax/upload.php:91 msgid "Not enough storage available" msgstr "Nicht genug Speicher vorhanden." -#: ajax/upload.php:119 +#: ajax/upload.php:123 msgid "Invalid directory." msgstr "Ungültiges Verzeichnis." @@ -133,43 +135,43 @@ msgstr "Löschen" msgid "Rename" msgstr "Umbenennen" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:464 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:465 msgid "Pending" msgstr "Ausstehend" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "{new_name} already exists" msgstr "{new_name} existiert bereits" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "replace" msgstr "ersetzen" -#: js/filelist.js:302 +#: js/filelist.js:303 msgid "suggest name" msgstr "Namen vorschlagen" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "cancel" msgstr "abbrechen" -#: js/filelist.js:349 +#: js/filelist.js:350 msgid "replaced {new_name} with {old_name}" msgstr "{old_name} wurde ersetzt durch {new_name}" -#: js/filelist.js:349 +#: js/filelist.js:350 msgid "undo" msgstr "rückgängig machen" -#: js/filelist.js:374 +#: js/filelist.js:375 msgid "perform delete operation" msgstr "Löschvorgang ausführen" -#: js/filelist.js:456 +#: js/filelist.js:457 msgid "1 file uploading" msgstr "1 Datei wird hochgeladen" -#: js/filelist.js:459 js/filelist.js:517 +#: js/filelist.js:460 js/filelist.js:518 msgid "files uploading" msgstr "Dateien werden hoch geladen" @@ -217,19 +219,19 @@ msgstr "Größe" msgid "Modified" msgstr "Geändert" -#: js/files.js:765 +#: js/files.js:763 msgid "1 folder" msgstr "1 Ordner" -#: js/files.js:767 +#: js/files.js:765 msgid "{count} folders" msgstr "{count} Ordner" -#: js/files.js:775 +#: js/files.js:773 msgid "1 file" msgstr "1 Datei" -#: js/files.js:777 +#: js/files.js:775 msgid "{count} files" msgstr "{count} Dateien" @@ -332,19 +334,19 @@ msgstr "Dateien werden gescannt, bitte warten." msgid "Current scanning" msgstr "Scanne" -#: templates/part.list.php:78 +#: templates/part.list.php:74 msgid "directory" msgstr "Verzeichnis" -#: templates/part.list.php:80 +#: templates/part.list.php:76 msgid "directories" msgstr "Verzeichnisse" -#: templates/part.list.php:89 +#: templates/part.list.php:85 msgid "file" msgstr "Datei" -#: templates/part.list.php:91 +#: templates/part.list.php:87 msgid "files" msgstr "Dateien" diff --git a/l10n/de_DE/files_encryption.po b/l10n/de_DE/files_encryption.po index e69754efc7..ca88a9a239 100644 --- a/l10n/de_DE/files_encryption.po +++ b/l10n/de_DE/files_encryption.po @@ -10,9 +10,9 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:12+0200\n" -"PO-Revision-Date: 2013-07-05 00:13+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-07-18 01:54-0400\n" +"PO-Revision-Date: 2013-07-17 09:20+0000\n" +"Last-Translator: traductor \n" "Language-Team: German (Germany) \n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -62,18 +62,18 @@ msgid "" "ownCloud system (e.g. your corporate directory). You can update your private" " key password in your personal settings to recover access to your encrypted " "files." -msgstr "" +msgstr "Ihr privater Schlüssel ist ungültig. Möglicher Weise wurde von außerhalb Ihr Passwort geändert (z.B. in Ihrem gemeinsamen Verzeichnis). Sie können das Passwort Ihres privaten Schlüssels in den persönlichen Einstellungen aktualisieren, um wieder an Ihre Dateien zu gelangen." #: hooks/hooks.php:44 msgid "Missing requirements." -msgstr "" +msgstr "Fehlende Voraussetzungen" #: hooks/hooks.php:45 msgid "" "Please make sure that PHP 5.3.3 or newer is installed and that the OpenSSL " "PHP extension is enabled and configured properly. For now, the encryption " "app has been disabled." -msgstr "" +msgstr "Bitte stellen Sie sicher, dass PHP 5.3.3 oder neuer installiert und die PHP-Erweiterung OpenSSL aktiviert und richtig konfiguriert ist. Zur Zeit ist die Verschlüsselungs-App deaktiviert." #: js/settings-admin.js:11 msgid "Saving..." @@ -87,7 +87,7 @@ msgstr "Ihr privater Schlüssel ist ungültig! Vielleicht wurde Ihr Passwort von #: templates/invalid_private_key.php:7 msgid "You can unlock your private key in your " -msgstr "" +msgstr "Sie können den privaten Schlüssel ändern und zwar in Ihrem" #: templates/invalid_private_key.php:7 msgid "personal settings" @@ -158,7 +158,7 @@ msgstr "Das Passwort des privaten Schlüssels aktualisieren" #: templates/settings-personal.php:45 msgid "Enable password recovery:" -msgstr "Passwort-Wiederherstellung aktivieren:" +msgstr "Die Passwort-Wiederherstellung aktivieren:" #: templates/settings-personal.php:47 msgid "" diff --git a/l10n/de_DE/files_external.po b/l10n/de_DE/files_external.po index 786101ca43..7dc5677d12 100644 --- a/l10n/de_DE/files_external.po +++ b/l10n/de_DE/files_external.po @@ -9,8 +9,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: Mirodin \n" "Language-Team: German (Germany) \n" "MIME-Version: 1.0\n" @@ -39,20 +39,20 @@ msgstr "Bitte tragen Sie einen gültigen Dropbox-App-Key mit Secret ein." msgid "Error configuring Google Drive storage" msgstr "Fehler beim Einrichten von Google Drive" -#: lib/config.php:431 +#: lib/config.php:447 msgid "" "Warning: \"smbclient\" is not installed. Mounting of CIFS/SMB shares " "is not possible. Please ask your system administrator to install it." msgstr "Warnung: \"smbclient\" ist nicht installiert. Das Einhängen von CIFS/SMB-Freigaben ist nicht möglich. Bitten Sie Ihren Systemadministrator, dies zu installieren." -#: lib/config.php:434 +#: lib/config.php:450 msgid "" "Warning: The FTP support in PHP is not enabled or installed. Mounting" " of FTP shares is not possible. Please ask your system administrator to " "install it." msgstr "Warnung:: Die FTP Unterstützung von PHP ist nicht aktiviert oder installiert. Bitte wenden Sie sich an Ihren Systemadministrator." -#: lib/config.php:437 +#: lib/config.php:453 msgid "" "Warning: The Curl support in PHP is not enabled or installed. " "Mounting of ownCloud / WebDAV or GoogleDrive is not possible. Please ask " diff --git a/l10n/de_DE/files_sharing.po b/l10n/de_DE/files_sharing.po index dca2954cde..7b10322cb5 100644 --- a/l10n/de_DE/files_sharing.po +++ b/l10n/de_DE/files_sharing.po @@ -3,13 +3,14 @@ # This file is distributed under the same license as the PACKAGE package. # # Translators: +# JamFX , 2013 msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:13+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" +"Last-Translator: JamFX \n" "Language-Team: German (Germany) \n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -19,7 +20,7 @@ msgstr "" #: templates/authenticate.php:4 msgid "The password is wrong. Try again." -msgstr "" +msgstr "Das Passwort ist falsch. Bitte versuchen Sie es erneut." #: templates/authenticate.php:7 msgid "Password" @@ -39,18 +40,18 @@ msgstr "%s hat den Ordner %s mit Ihnen geteilt" msgid "%s shared the file %s with you" msgstr "%s hat die Datei %s mit Ihnen geteilt" -#: templates/public.php:28 templates/public.php:86 +#: templates/public.php:28 templates/public.php:90 msgid "Download" msgstr "Herunterladen" -#: templates/public.php:44 +#: templates/public.php:45 templates/public.php:48 msgid "Upload" msgstr "Hochladen" -#: templates/public.php:54 +#: templates/public.php:58 msgid "Cancel upload" msgstr "Upload abbrechen" -#: templates/public.php:83 +#: templates/public.php:87 msgid "No preview available for" msgstr "Es ist keine Vorschau verfügbar für" diff --git a/l10n/de_DE/files_trashbin.po b/l10n/de_DE/files_trashbin.po index a4ce4fbb3a..ade6bd6b73 100644 --- a/l10n/de_DE/files_trashbin.po +++ b/l10n/de_DE/files_trashbin.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: Mirodin \n" "Language-Team: German (Germany) \n" "MIME-Version: 1.0\n" diff --git a/l10n/de_DE/lib.po b/l10n/de_DE/lib.po index 22f47921c0..2908fcd3ca 100644 --- a/l10n/de_DE/lib.po +++ b/l10n/de_DE/lib.po @@ -8,8 +8,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:13+0000\n" +"POT-Creation-Date: 2013-07-24 01:55-0400\n" +"PO-Revision-Date: 2013-07-24 05:55+0000\n" "Last-Translator: I Robot \n" "Language-Team: German (Germany) \n" "MIME-Version: 1.0\n" @@ -42,27 +42,43 @@ msgstr "Apps" msgid "Admin" msgstr "Administrator" -#: defaults.php:33 -msgid "web services under your control" +#: app.php:844 +#, php-format +msgid "Failed to upgrade \"%s\"." msgstr "" -#: files.php:210 +#: defaults.php:33 +msgid "web services under your control" +msgstr "Web-Services unter Ihrer Kontrolle" + +#: files.php:66 files.php:98 +#, php-format +msgid "cannot open \"%s\"" +msgstr "" + +#: files.php:226 msgid "ZIP download is turned off." msgstr "Der ZIP-Download ist deaktiviert." -#: files.php:211 +#: files.php:227 msgid "Files need to be downloaded one by one." msgstr "Die Dateien müssen einzeln heruntergeladen werden." -#: files.php:212 files.php:245 +#: files.php:228 files.php:256 msgid "Back to Files" msgstr "Zurück zu \"Dateien\"" -#: files.php:242 +#: files.php:253 msgid "Selected files too large to generate zip file." msgstr "Die gewählten Dateien sind zu groß, um eine ZIP-Datei zu erstellen." -#: helper.php:236 +#: files.php:254 +msgid "" +"Download the files in smaller chunks, seperately or kindly ask your " +"administrator." +msgstr "" + +#: helper.php:235 msgid "couldn't be determined" msgstr "konnte nicht ermittelt werden" @@ -171,77 +187,81 @@ msgstr "Fehlerhafter Befehl war: \"%s\", Name: %s, Passwort: %s" msgid "PostgreSQL username and/or password not valid" msgstr "PostgreSQL Benutzername und/oder Passwort ungültig" -#: setup.php:42 +#: setup.php:28 msgid "Set an admin username." msgstr "Setze Administrator Benutzername." -#: setup.php:45 +#: setup.php:31 msgid "Set an admin password." msgstr "Setze Administrator Passwort" -#: setup.php:198 +#: setup.php:184 msgid "" "Your web server is not yet properly setup to allow files synchronization " "because the WebDAV interface seems to be broken." msgstr "Ihr Web-Server ist noch nicht für eine Datei-Synchronisation konfiguriert, weil die WebDAV-Schnittstelle vermutlich defekt ist." -#: setup.php:199 +#: setup.php:185 #, php-format msgid "Please double check the installation guides." msgstr "Bitte prüfen Sie die Installationsanleitungen." -#: template.php:113 +#: template/functions.php:80 msgid "seconds ago" msgstr "Gerade eben" -#: template.php:114 +#: template/functions.php:81 msgid "1 minute ago" msgstr "Vor 1 Minute" -#: template.php:115 +#: template/functions.php:82 #, php-format msgid "%d minutes ago" msgstr "Vor %d Minuten" -#: template.php:116 +#: template/functions.php:83 msgid "1 hour ago" msgstr "Vor einer Stunde" -#: template.php:117 +#: template/functions.php:84 #, php-format msgid "%d hours ago" msgstr "Vor %d Stunden" -#: template.php:118 +#: template/functions.php:85 msgid "today" msgstr "Heute" -#: template.php:119 +#: template/functions.php:86 msgid "yesterday" msgstr "Gestern" -#: template.php:120 +#: template/functions.php:87 #, php-format msgid "%d days ago" msgstr "Vor %d Tag(en)" -#: template.php:121 +#: template/functions.php:88 msgid "last month" msgstr "Letzten Monat" -#: template.php:122 +#: template/functions.php:89 #, php-format msgid "%d months ago" msgstr "Vor %d Monaten" -#: template.php:123 +#: template/functions.php:90 msgid "last year" msgstr "Letztes Jahr" -#: template.php:124 +#: template/functions.php:91 msgid "years ago" msgstr "Vor Jahren" +#: template.php:296 +msgid "Caused by:" +msgstr "" + #: vcategories.php:188 vcategories.php:249 #, php-format msgid "Could not find category \"%s\"" diff --git a/l10n/de_DE/settings.po b/l10n/de_DE/settings.po index 0ded3edfd0..c7c5d9647d 100644 --- a/l10n/de_DE/settings.po +++ b/l10n/de_DE/settings.po @@ -8,13 +8,14 @@ # Mario Siegmann , 2013 # traductor , 2013 # Mirodin , 2013 +# kabum , 2013 msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:55+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-07-24 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 21:56+0000\n" +"Last-Translator: Mario Siegmann \n" "Language-Team: German (Germany) \n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -278,62 +279,71 @@ msgstr "Links erlauben" msgid "Allow users to share items to the public with links" msgstr "Benutzern erlauben, Inhalte per öffentlichem Link zu teilen" -#: templates/admin.php:152 +#: templates/admin.php:153 +msgid "Allow public uploads" +msgstr "Erlaube öffentliches hochladen" + +#: templates/admin.php:154 +msgid "" +"Allow users to enable others to upload into their publicly shared folders" +msgstr "Erlaubt Benutzern die Freigabe anderer Benutzer in ihren öffentlich freigegebene Ordner hochladen zu dürfen" + +#: templates/admin.php:162 msgid "Allow resharing" msgstr "Erlaube Weiterverteilen" -#: templates/admin.php:153 +#: templates/admin.php:163 msgid "Allow users to share items shared with them again" msgstr "Erlaubt Benutzern, mit ihnen geteilte Inhalte erneut zu teilen" -#: templates/admin.php:160 +#: templates/admin.php:170 msgid "Allow users to share with anyone" msgstr "Erlaubt Benutzern, mit jedem zu teilen" -#: templates/admin.php:163 +#: templates/admin.php:173 msgid "Allow users to only share with users in their groups" msgstr "Erlaubt Benutzern, nur mit Nutzern in ihrer Gruppe zu teilen" -#: templates/admin.php:170 +#: templates/admin.php:180 msgid "Security" msgstr "Sicherheit" -#: templates/admin.php:183 +#: templates/admin.php:193 msgid "Enforce HTTPS" msgstr "HTTPS erzwingen" -#: templates/admin.php:184 +#: templates/admin.php:194 msgid "" "Enforces the clients to connect to ownCloud via an encrypted connection." msgstr "Zwingt die Clients, sich über eine verschlüsselte Verbindung mit ownCloud zu verbinden." -#: templates/admin.php:187 +#: templates/admin.php:197 msgid "" "Please connect to this ownCloud instance via HTTPS to enable or disable the " "SSL enforcement." msgstr "Bitte verbinden Sie sich mit dieser ownCloud-Instanz per HTTPS, um SSL-Erzwingung zu aktivieren oder deaktivieren." -#: templates/admin.php:197 +#: templates/admin.php:207 msgid "Log" msgstr "Log" -#: templates/admin.php:198 +#: templates/admin.php:208 msgid "Log level" msgstr "Log-Level" -#: templates/admin.php:229 +#: templates/admin.php:239 msgid "More" msgstr "Mehr" -#: templates/admin.php:230 +#: templates/admin.php:240 msgid "Less" msgstr "Weniger" -#: templates/admin.php:236 templates/personal.php:116 +#: templates/admin.php:246 templates/personal.php:116 msgid "Version" msgstr "Version" -#: templates/admin.php:240 templates/personal.php:119 +#: templates/admin.php:250 templates/personal.php:119 msgid "" "Developed by the ownCloud community, the access your Files via WebDAV" +msgstr "Verwenden Sie diese Adresse, um auf ihre Dateien per WebDAV zuzugreifen." #: templates/users.php:21 msgid "Login Name" @@ -470,7 +483,7 @@ msgstr "Erstellen" #: templates/users.php:36 msgid "Admin Recovery Password" -msgstr "Admin-Paswort-Wiederherstellung" +msgstr "Admin-Passwort-Wiederherstellung" #: templates/users.php:37 templates/users.php:38 msgid "" diff --git a/l10n/de_DE/user_ldap.po b/l10n/de_DE/user_ldap.po index 88cd8acc44..156218f64a 100644 --- a/l10n/de_DE/user_ldap.po +++ b/l10n/de_DE/user_ldap.po @@ -5,14 +5,16 @@ # Translators: # a.tangemann , 2013 # Marcel Kühlhorn , 2013 +# Mario Siegmann , 2013 +# JamFX , 2013 # traductor , 2013 msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" -"Last-Translator: traductor \n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" +"Last-Translator: Mario Siegmann \n" "Language-Team: German (Germany) \n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -22,7 +24,7 @@ msgstr "" #: ajax/clearMappings.php:34 msgid "Failed to clear the mappings." -msgstr "" +msgstr "Löschen der Zuordnung fehlgeschlagen." #: ajax/deleteConfiguration.php:34 msgid "Failed to delete the server configuration" @@ -62,7 +64,7 @@ msgstr "Das Hinzufügen der Serverkonfiguration schlug fehl" #: js/settings.js:111 msgid "mappings cleared" -msgstr "" +msgstr "Zuordnungen gelöscht" #: js/settings.js:112 msgid "Success" @@ -365,7 +367,7 @@ msgstr "Standardmäßig wird der interne Benutzername mittels des UUID-Attribute #: templates/settings.php:103 msgid "Internal Username Attribute:" -msgstr "" +msgstr "Interne Eigenschaften des Benutzers:" #: templates/settings.php:104 msgid "Override UUID detection" @@ -380,7 +382,7 @@ msgid "" "You must make sure that the attribute of your choice can be fetched for both" " users and groups and it is unique. Leave it empty for default behaviour. " "Changes will have effect only on newly mapped (added) LDAP users and groups." -msgstr "" +msgstr "Standardmäßig erkennt OwnCloud die UUID-Eigenschaften des Benutzers selbstständig. Die UUID-Eigenschaften werden genutzt, um einen LDAP-Benutzer und Gruppen einwandfrei zu identifizieren. Außerdem wird ein interner Benutzername erzeugt, der auf Eigenschaften der UUID basiert, wenn es oben nicht anders angegeben wurde. Sie können diese Eigenschaften überschreiben und selbst Eigenschaften nach Wahl vorgeben. Sie müssen allerdings sicherstellen, dass die Eigenschaften zur Identifikation für Benutzer und Gruppen eindeutig sind. Lassen Sie es frei, um es beim Standardverhalten zu belassen. Änderungen wirken sich nur auf neu zugeordnete (neu erstellte) LDAP-Benutzer und -Gruppen aus." #: templates/settings.php:106 msgid "UUID Attribute:" @@ -388,7 +390,7 @@ msgstr "UUID-Attribut:" #: templates/settings.php:107 msgid "Username-LDAP User Mapping" -msgstr "" +msgstr "LDAP-Benutzernamenzuordnung" #: templates/settings.php:108 msgid "" @@ -403,15 +405,15 @@ msgid "" "configuration sensitive, it affects all LDAP configurations! Do never clear " "the mappings in a production environment. Only clear mappings in a testing " "or experimental stage." -msgstr "" +msgstr "OwnCloud nutzt die Benutzernamen, um (Meta)Daten zuzuordnen und zu speichern. Um Benutzer eindeutig und präzise zu identifizieren, hat jeder LDAP-Benutzer einen internen Benutzernamen. Dies erfordert eine Zuordnung vom OwnCloud-Benutzernamen zum LDAP-Benutzer. Der erstellte Benutzername wird der UUID des LDAP-Benutzernamens zugeordnet. Zusätzlich wird der DN zwischengespeichert, um die Interaktion mit LDAP zu minimieren, was aber nicht der Identifikation dient. Ändert sich der DN, werden die Änderungen durch OwnCloud gefunden. Der interne OwnCloud-Name, wird in der gesamten OwnCloud verwendet. Werden die Zuordnungen gelöscht, bleiben überall Reste in der OwnCloud. Die Löschung der Zuordnungen kann nicht in der Konfiguration vorgenommen werden, beeinflusst aber die LDAP-Konfiguration! Löschen Sie niemals die Zuordnungen in einer produktiven Umgebung. Löschen Sie die Zuordnungen nur in einer Test- oder Experimentierumgebung." #: templates/settings.php:109 msgid "Clear Username-LDAP User Mapping" -msgstr "" +msgstr "Lösche LDAP-Benutzernamenzuordnung" #: templates/settings.php:109 msgid "Clear Groupname-LDAP Group Mapping" -msgstr "" +msgstr "Lösche LDAP-Gruppennamenzuordnung" #: templates/settings.php:111 msgid "Test Configuration" diff --git a/l10n/el/core.po b/l10n/el/core.po index d04be94c87..1cc43998f1 100644 --- a/l10n/el/core.po +++ b/l10n/el/core.po @@ -14,8 +14,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:12+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:04+0000\n" "Last-Translator: I Robot \n" "Language-Team: Greek (http://www.transifex.com/projects/p/owncloud/language/el/)\n" "MIME-Version: 1.0\n" @@ -144,59 +144,59 @@ msgstr "Νοέμβριος" msgid "December" msgstr "Δεκέμβριος" -#: js/js.js:289 +#: js/js.js:293 msgid "Settings" msgstr "Ρυθμίσεις" -#: js/js.js:721 +#: js/js.js:715 msgid "seconds ago" msgstr "δευτερόλεπτα πριν" -#: js/js.js:722 +#: js/js.js:716 msgid "1 minute ago" msgstr "1 λεπτό πριν" -#: js/js.js:723 +#: js/js.js:717 msgid "{minutes} minutes ago" msgstr "{minutes} λεπτά πριν" -#: js/js.js:724 +#: js/js.js:718 msgid "1 hour ago" msgstr "1 ώρα πριν" -#: js/js.js:725 +#: js/js.js:719 msgid "{hours} hours ago" msgstr "{hours} ώρες πριν" -#: js/js.js:726 +#: js/js.js:720 msgid "today" msgstr "σήμερα" -#: js/js.js:727 +#: js/js.js:721 msgid "yesterday" msgstr "χτες" -#: js/js.js:728 +#: js/js.js:722 msgid "{days} days ago" msgstr "{days} ημέρες πριν" -#: js/js.js:729 +#: js/js.js:723 msgid "last month" msgstr "τελευταίο μήνα" -#: js/js.js:730 +#: js/js.js:724 msgid "{months} months ago" msgstr "{months} μήνες πριν" -#: js/js.js:731 +#: js/js.js:725 msgid "months ago" msgstr "μήνες πριν" -#: js/js.js:732 +#: js/js.js:726 msgid "last year" msgstr "τελευταίο χρόνο" -#: js/js.js:733 +#: js/js.js:727 msgid "years ago" msgstr "χρόνια πριν" @@ -232,8 +232,8 @@ msgstr "Δεν καθορίστηκε ο τύπος του αντικειμέν #: js/oc-vcategories.js:14 js/oc-vcategories.js:80 js/oc-vcategories.js:95 #: js/oc-vcategories.js:110 js/oc-vcategories.js:125 js/oc-vcategories.js:136 #: js/oc-vcategories.js:172 js/oc-vcategories.js:189 js/oc-vcategories.js:195 -#: js/oc-vcategories.js:199 js/share.js:136 js/share.js:143 js/share.js:618 -#: js/share.js:630 +#: js/oc-vcategories.js:199 js/share.js:136 js/share.js:143 js/share.js:625 +#: js/share.js:637 msgid "Error" msgstr "Σφάλμα" @@ -253,7 +253,7 @@ msgstr "Κοινόχρηστα" msgid "Share" msgstr "Διαμοιρασμός" -#: js/share.js:125 js/share.js:658 +#: js/share.js:125 js/share.js:665 msgid "Error while sharing" msgstr "Σφάλμα κατά τον διαμοιρασμό" @@ -273,114 +273,114 @@ msgstr "Διαμοιράστηκε με σας και με την ομάδα {gr msgid "Shared with you by {owner}" msgstr "Διαμοιράστηκε με σας από τον {owner}" -#: js/share.js:172 +#: js/share.js:177 msgid "Share with" msgstr "Διαμοιρασμός με" -#: js/share.js:177 +#: js/share.js:182 msgid "Share with link" msgstr "Διαμοιρασμός με σύνδεσμο" -#: js/share.js:180 +#: js/share.js:185 msgid "Password protect" msgstr "Προστασία συνθηματικού" -#: js/share.js:182 templates/installation.php:54 templates/login.php:26 +#: js/share.js:187 templates/installation.php:54 templates/login.php:26 msgid "Password" msgstr "Συνθηματικό" -#: js/share.js:186 +#: js/share.js:192 msgid "Allow Public Upload" msgstr "" -#: js/share.js:189 +#: js/share.js:196 msgid "Email link to person" msgstr "Αποστολή συνδέσμου με email " -#: js/share.js:190 +#: js/share.js:197 msgid "Send" msgstr "Αποστολή" -#: js/share.js:195 +#: js/share.js:202 msgid "Set expiration date" msgstr "Ορισμός ημ. λήξης" -#: js/share.js:196 +#: js/share.js:203 msgid "Expiration date" msgstr "Ημερομηνία λήξης" -#: js/share.js:228 +#: js/share.js:235 msgid "Share via email:" msgstr "Διαμοιρασμός μέσω email:" -#: js/share.js:230 +#: js/share.js:237 msgid "No people found" msgstr "Δεν βρέθηκε άνθρωπος" -#: js/share.js:268 +#: js/share.js:275 msgid "Resharing is not allowed" msgstr "Ξαναμοιρασμός δεν επιτρέπεται" -#: js/share.js:304 +#: js/share.js:311 msgid "Shared in {item} with {user}" msgstr "Διαμοιρασμός του {item} με τον {user}" -#: js/share.js:325 +#: js/share.js:332 msgid "Unshare" msgstr "Σταμάτημα διαμοιρασμού" -#: js/share.js:337 +#: js/share.js:344 msgid "can edit" msgstr "δυνατότητα αλλαγής" -#: js/share.js:339 +#: js/share.js:346 msgid "access control" msgstr "έλεγχος πρόσβασης" -#: js/share.js:342 +#: js/share.js:349 msgid "create" msgstr "δημιουργία" -#: js/share.js:345 +#: js/share.js:352 msgid "update" msgstr "ενημέρωση" -#: js/share.js:348 +#: js/share.js:355 msgid "delete" msgstr "διαγραφή" -#: js/share.js:351 +#: js/share.js:358 msgid "share" msgstr "διαμοιρασμός" -#: js/share.js:385 js/share.js:605 +#: js/share.js:392 js/share.js:612 msgid "Password protected" msgstr "Προστασία με συνθηματικό" -#: js/share.js:618 +#: js/share.js:625 msgid "Error unsetting expiration date" msgstr "Σφάλμα κατά την διαγραφή της ημ. λήξης" -#: js/share.js:630 +#: js/share.js:637 msgid "Error setting expiration date" msgstr "Σφάλμα κατά τον ορισμό ημ. λήξης" -#: js/share.js:645 +#: js/share.js:652 msgid "Sending ..." msgstr "Αποστολή..." -#: js/share.js:656 +#: js/share.js:663 msgid "Email sent" msgstr "Το Email απεστάλη " -#: js/update.js:14 +#: js/update.js:17 msgid "" "The update was unsuccessful. Please report this issue to the ownCloud " "community." msgstr "Η ενημέρωση ήταν ανεπιτυχής. Παρακαλώ στείλτε αναφορά στην κοινότητα ownCloud." -#: js/update.js:18 +#: js/update.js:21 msgid "The update was successful. Redirecting you to ownCloud now." msgstr "Η ενημέρωση ήταν επιτυχής. Μετάβαση στο ownCloud." @@ -472,7 +472,7 @@ msgstr "Δεν επιτρέπεται η πρόσβαση" msgid "Cloud not found" msgstr "Δεν βρέθηκε νέφος" -#: templates/altmail.php:2 +#: templates/altmail.php:4 #, php-format msgid "" "Hey there,\n" @@ -483,10 +483,6 @@ msgid "" "Cheers!" msgstr "Γεια σας,\n\nσας ενημερώνουμε ότι ο %s διαμοιράστηκε μαζί σας το %s.\nΔείτε το: %s\n\nΓεια χαρά!" -#: templates/altmail.php:7 templates/mail.php:24 -msgid "web services under your control" -msgstr "υπηρεσίες δικτύου υπό τον έλεγχό σας" - #: templates/edit_categories_dialog.php:4 msgid "Edit categories" msgstr "Επεξεργασία κατηγοριών" @@ -618,7 +614,7 @@ msgstr "Είσοδος" msgid "Alternative Logins" msgstr "Εναλλακτικές Συνδέσεις" -#: templates/mail.php:15 +#: templates/mail.php:16 #, php-format msgid "" "Hey there,

    just letting you know that %s shared »%s« with you.
    \n" "Language-Team: Greek (http://www.transifex.com/projects/p/owncloud/language/el/)\n" "MIME-Version: 1.0\n" @@ -28,54 +28,54 @@ msgstr "Αδυναμία μετακίνησης του %s - υπάρχει ήδ msgid "Could not move %s" msgstr "Αδυναμία μετακίνησης του %s" -#: ajax/upload.php:16 ajax/upload.php:39 +#: ajax/upload.php:16 ajax/upload.php:45 msgid "Unable to set upload directory." msgstr "" -#: ajax/upload.php:23 +#: ajax/upload.php:22 msgid "Invalid Token" msgstr "" -#: ajax/upload.php:55 +#: ajax/upload.php:59 msgid "No file was uploaded. Unknown error" msgstr "Δεν ανέβηκε κάποιο αρχείο. Άγνωστο σφάλμα" -#: ajax/upload.php:62 +#: ajax/upload.php:66 msgid "There is no error, the file uploaded with success" msgstr "Δεν υπάρχει σφάλμα, το αρχείο εστάλει επιτυχώς" -#: ajax/upload.php:63 +#: ajax/upload.php:67 msgid "" "The uploaded file exceeds the upload_max_filesize directive in php.ini: " msgstr "Το αρχείο που εστάλει υπερβαίνει την οδηγία μέγιστου επιτρεπτού μεγέθους \"upload_max_filesize\" του php.ini" -#: ajax/upload.php:65 +#: ajax/upload.php:69 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:66 +#: ajax/upload.php:70 msgid "The uploaded file was only partially uploaded" msgstr "Το αρχείο εστάλει μόνο εν μέρει" -#: ajax/upload.php:67 +#: ajax/upload.php:71 msgid "No file was uploaded" msgstr "Κανένα αρχείο δεν στάλθηκε" -#: ajax/upload.php:68 +#: ajax/upload.php:72 msgid "Missing a temporary folder" msgstr "Λείπει ο προσωρινός φάκελος" -#: ajax/upload.php:69 +#: ajax/upload.php:73 msgid "Failed to write to disk" msgstr "Αποτυχία εγγραφής στο δίσκο" -#: ajax/upload.php:87 +#: ajax/upload.php:91 msgid "Not enough storage available" msgstr "Μη επαρκής διαθέσιμος αποθηκευτικός χώρος" -#: ajax/upload.php:119 +#: ajax/upload.php:123 msgid "Invalid directory." msgstr "Μη έγκυρος φάκελος." @@ -129,43 +129,43 @@ msgstr "Διαγραφή" msgid "Rename" msgstr "Μετονομασία" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:464 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:465 msgid "Pending" msgstr "Εκκρεμεί" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "{new_name} already exists" msgstr "{new_name} υπάρχει ήδη" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "replace" msgstr "αντικατέστησε" -#: js/filelist.js:302 +#: js/filelist.js:303 msgid "suggest name" msgstr "συνιστώμενο όνομα" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "cancel" msgstr "ακύρωση" -#: js/filelist.js:349 +#: js/filelist.js:350 msgid "replaced {new_name} with {old_name}" msgstr "αντικαταστάθηκε το {new_name} με {old_name}" -#: js/filelist.js:349 +#: js/filelist.js:350 msgid "undo" msgstr "αναίρεση" -#: js/filelist.js:374 +#: js/filelist.js:375 msgid "perform delete operation" msgstr "εκτέλεση της διαδικασίας διαγραφής" -#: js/filelist.js:456 +#: js/filelist.js:457 msgid "1 file uploading" msgstr "1 αρχείο ανεβαίνει" -#: js/filelist.js:459 js/filelist.js:517 +#: js/filelist.js:460 js/filelist.js:518 msgid "files uploading" msgstr "αρχεία ανεβαίνουν" @@ -213,19 +213,19 @@ msgstr "Μέγεθος" msgid "Modified" msgstr "Τροποποιήθηκε" -#: js/files.js:765 +#: js/files.js:763 msgid "1 folder" msgstr "1 φάκελος" -#: js/files.js:767 +#: js/files.js:765 msgid "{count} folders" msgstr "{count} φάκελοι" -#: js/files.js:775 +#: js/files.js:773 msgid "1 file" msgstr "1 αρχείο" -#: js/files.js:777 +#: js/files.js:775 msgid "{count} files" msgstr "{count} αρχεία" @@ -328,19 +328,19 @@ msgstr "Τα αρχεία σαρώνονται, παρακαλώ περιμέν msgid "Current scanning" msgstr "Τρέχουσα ανίχνευση" -#: templates/part.list.php:78 +#: templates/part.list.php:74 msgid "directory" -msgstr "" +msgstr "κατάλογος" -#: templates/part.list.php:80 +#: templates/part.list.php:76 msgid "directories" -msgstr "" +msgstr "κατάλογοι" -#: templates/part.list.php:89 +#: templates/part.list.php:85 msgid "file" msgstr "αρχείο" -#: templates/part.list.php:91 +#: templates/part.list.php:87 msgid "files" msgstr "αρχεία" diff --git a/l10n/el/files_external.po b/l10n/el/files_external.po index e6e7f43c66..fd0a919e9f 100644 --- a/l10n/el/files_external.po +++ b/l10n/el/files_external.po @@ -8,8 +8,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: KAT.RAT12 \n" "Language-Team: Greek (http://www.transifex.com/projects/p/owncloud/language/el/)\n" "MIME-Version: 1.0\n" @@ -38,20 +38,20 @@ msgstr "Παρακαλούμε δώστε έγκυρο κλειδί Dropbox κα msgid "Error configuring Google Drive storage" msgstr "Σφάλμα ρυθμίζωντας αποθήκευση Google Drive " -#: lib/config.php:431 +#: lib/config.php:447 msgid "" "Warning: \"smbclient\" is not installed. Mounting of CIFS/SMB shares " "is not possible. Please ask your system administrator to install it." msgstr "Προσοχή: Ο \"smbclient\" δεν εγκαταστάθηκε. Δεν είναι δυνατή η προσάρτηση CIFS/SMB. Παρακαλώ ενημερώστε τον διαχειριστή συστήματος να το εγκαταστήσει." -#: lib/config.php:434 +#: lib/config.php:450 msgid "" "Warning: The FTP support in PHP is not enabled or installed. Mounting" " of FTP shares is not possible. Please ask your system administrator to " "install it." msgstr "Προσοχή: Η υποστήριξη FTP στην PHP δεν ενεργοποιήθηκε ή εγκαταστάθηκε. Δεν είναι δυνατή η προσάρτηση FTP. Παρακαλώ ενημερώστε τον διαχειριστή συστήματος να το εγκαταστήσει." -#: lib/config.php:437 +#: lib/config.php:453 msgid "" "Warning: The Curl support in PHP is not enabled or installed. " "Mounting of ownCloud / WebDAV or GoogleDrive is not possible. Please ask " diff --git a/l10n/el/files_sharing.po b/l10n/el/files_sharing.po index 6840ade874..a307bdbb8b 100644 --- a/l10n/el/files_sharing.po +++ b/l10n/el/files_sharing.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:13+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: I Robot \n" "Language-Team: Greek (http://www.transifex.com/projects/p/owncloud/language/el/)\n" "MIME-Version: 1.0\n" @@ -39,18 +39,18 @@ msgstr "%s μοιράστηκε τον φάκελο %s μαζί σας" msgid "%s shared the file %s with you" msgstr "%s μοιράστηκε το αρχείο %s μαζί σας" -#: templates/public.php:28 templates/public.php:86 +#: templates/public.php:28 templates/public.php:90 msgid "Download" msgstr "Λήψη" -#: templates/public.php:44 +#: templates/public.php:45 templates/public.php:48 msgid "Upload" msgstr "Μεταφόρτωση" -#: templates/public.php:54 +#: templates/public.php:58 msgid "Cancel upload" msgstr "Ακύρωση αποστολής" -#: templates/public.php:83 +#: templates/public.php:87 msgid "No preview available for" msgstr "Δεν υπάρχει διαθέσιμη προεπισκόπηση για" diff --git a/l10n/el/files_trashbin.po b/l10n/el/files_trashbin.po index 2005318227..9d927c77cd 100644 --- a/l10n/el/files_trashbin.po +++ b/l10n/el/files_trashbin.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: I Robot \n" "Language-Team: Greek (http://www.transifex.com/projects/p/owncloud/language/el/)\n" "MIME-Version: 1.0\n" diff --git a/l10n/el/lib.po b/l10n/el/lib.po index 77e1ccba26..47a64c5511 100644 --- a/l10n/el/lib.po +++ b/l10n/el/lib.po @@ -8,8 +8,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:13+0000\n" +"POT-Creation-Date: 2013-07-24 01:55-0400\n" +"PO-Revision-Date: 2013-07-24 05:55+0000\n" "Last-Translator: I Robot \n" "Language-Team: Greek (http://www.transifex.com/projects/p/owncloud/language/el/)\n" "MIME-Version: 1.0\n" @@ -42,27 +42,43 @@ msgstr "Εφαρμογές" msgid "Admin" msgstr "Διαχειριστής" -#: defaults.php:33 -msgid "web services under your control" +#: app.php:844 +#, php-format +msgid "Failed to upgrade \"%s\"." msgstr "" -#: files.php:210 +#: defaults.php:33 +msgid "web services under your control" +msgstr "υπηρεσίες δικτύου υπό τον έλεγχό σας" + +#: files.php:66 files.php:98 +#, php-format +msgid "cannot open \"%s\"" +msgstr "" + +#: files.php:226 msgid "ZIP download is turned off." msgstr "Η λήψη ZIP απενεργοποιήθηκε." -#: files.php:211 +#: files.php:227 msgid "Files need to be downloaded one by one." msgstr "Τα αρχεία πρέπει να ληφθούν ένα-ένα." -#: files.php:212 files.php:245 +#: files.php:228 files.php:256 msgid "Back to Files" msgstr "Πίσω στα Αρχεία" -#: files.php:242 +#: files.php:253 msgid "Selected files too large to generate zip file." msgstr "Τα επιλεγμένα αρχεία είναι μεγάλα ώστε να δημιουργηθεί αρχείο zip." -#: helper.php:236 +#: files.php:254 +msgid "" +"Download the files in smaller chunks, seperately or kindly ask your " +"administrator." +msgstr "" + +#: helper.php:235 msgid "couldn't be determined" msgstr "δεν μπορούσε να προσδιορισθεί" @@ -171,77 +187,81 @@ msgstr "Η εντολη παραβατικοτητας ηταν: \"%s\", ονο msgid "PostgreSQL username and/or password not valid" msgstr "Μη έγκυρος χρήστης και/ή συνθηματικό της PostgreSQL" -#: setup.php:42 +#: setup.php:28 msgid "Set an admin username." msgstr "Εισάγετε όνομα χρήστη διαχειριστή." -#: setup.php:45 +#: setup.php:31 msgid "Set an admin password." msgstr "Εισάγετε συνθηματικό διαχειριστή." -#: setup.php:198 +#: setup.php:184 msgid "" "Your web server is not yet properly setup to allow files synchronization " "because the WebDAV interface seems to be broken." msgstr "Ο διακομιστής σας δεν έχει ρυθμιστεί κατάλληλα ώστε να επιτρέπει τον συγχρονισμό αρχείων γιατί η διεπαφή WebDAV πιθανόν να είναι κατεστραμμένη." -#: setup.php:199 +#: setup.php:185 #, php-format msgid "Please double check the installation guides." msgstr "Ελέγξτε ξανά τις οδηγίες εγκατάστασης." -#: template.php:113 +#: template/functions.php:80 msgid "seconds ago" msgstr "δευτερόλεπτα πριν" -#: template.php:114 +#: template/functions.php:81 msgid "1 minute ago" msgstr "1 λεπτό πριν" -#: template.php:115 +#: template/functions.php:82 #, php-format msgid "%d minutes ago" msgstr "%d λεπτά πριν" -#: template.php:116 +#: template/functions.php:83 msgid "1 hour ago" msgstr "1 ώρα πριν" -#: template.php:117 +#: template/functions.php:84 #, php-format msgid "%d hours ago" msgstr "%d ώρες πριν" -#: template.php:118 +#: template/functions.php:85 msgid "today" msgstr "σήμερα" -#: template.php:119 +#: template/functions.php:86 msgid "yesterday" msgstr "χτες" -#: template.php:120 +#: template/functions.php:87 #, php-format msgid "%d days ago" msgstr "%d ημέρες πριν" -#: template.php:121 +#: template/functions.php:88 msgid "last month" msgstr "τελευταίο μήνα" -#: template.php:122 +#: template/functions.php:89 #, php-format msgid "%d months ago" msgstr "%d μήνες πριν" -#: template.php:123 +#: template/functions.php:90 msgid "last year" msgstr "τελευταίο χρόνο" -#: template.php:124 +#: template/functions.php:91 msgid "years ago" msgstr "χρόνια πριν" +#: template.php:296 +msgid "Caused by:" +msgstr "" + #: vcategories.php:188 vcategories.php:249 #, php-format msgid "Could not find category \"%s\"" diff --git a/l10n/el/settings.po b/l10n/el/settings.po index 0a4b4c5e5c..5d394d36de 100644 --- a/l10n/el/settings.po +++ b/l10n/el/settings.po @@ -3,6 +3,7 @@ # This file is distributed under the same license as the PACKAGE package. # # Translators: +# Efstathios Iosifidis , 2013 # Efstathios Iosifidis , 2013 # KAT.RAT12 , 2013 # Teogramm , 2013 @@ -12,8 +13,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-24 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 11:50+0000\n" "Last-Translator: Efstathios Iosifidis \n" "Language-Team: Greek (http://www.transifex.com/projects/p/owncloud/language/el/)\n" "MIME-Version: 1.0\n" @@ -278,62 +279,71 @@ msgstr "Να επιτρέπονται σύνδεσμοι" msgid "Allow users to share items to the public with links" msgstr "Να επιτρέπεται στους χρήστες να διαμοιράζουν δημόσια με συνδέσμους" -#: templates/admin.php:152 +#: templates/admin.php:153 +msgid "Allow public uploads" +msgstr "" + +#: templates/admin.php:154 +msgid "" +"Allow users to enable others to upload into their publicly shared folders" +msgstr "" + +#: templates/admin.php:162 msgid "Allow resharing" msgstr "Να επιτρέπεται ο επαναδιαμοιρασμός" -#: templates/admin.php:153 +#: templates/admin.php:163 msgid "Allow users to share items shared with them again" msgstr "Να επιτρέπεται στους χρήστες να διαμοιράζουν ότι τους έχει διαμοιραστεί" -#: templates/admin.php:160 +#: templates/admin.php:170 msgid "Allow users to share with anyone" msgstr "Να επιτρέπεται ο διαμοιρασμός με οποιονδήποτε" -#: templates/admin.php:163 +#: templates/admin.php:173 msgid "Allow users to only share with users in their groups" msgstr "Να επιτρέπεται στους χρήστες ο διαμοιρασμός μόνο με χρήστες της ίδιας ομάδας" -#: templates/admin.php:170 +#: templates/admin.php:180 msgid "Security" msgstr "Ασφάλεια" -#: templates/admin.php:183 +#: templates/admin.php:193 msgid "Enforce HTTPS" msgstr "Επιβολή χρήσης HTTPS" -#: templates/admin.php:184 +#: templates/admin.php:194 msgid "" "Enforces the clients to connect to ownCloud via an encrypted connection." msgstr "Επιβολή στους πελάτες να συνδεθούν στο ownCloud μέσω μιας κρυπτογραφημένης σύνδεσης." -#: templates/admin.php:187 +#: templates/admin.php:197 msgid "" "Please connect to this ownCloud instance via HTTPS to enable or disable the " "SSL enforcement." msgstr "Παρακαλώ συνδεθείτε με το ownCloud μέσω HTTPS για να ενεργοποιήσετε ή να απενεργοποιήσετε την επιβολή SSL. " -#: templates/admin.php:197 +#: templates/admin.php:207 msgid "Log" msgstr "Καταγραφές" -#: templates/admin.php:198 +#: templates/admin.php:208 msgid "Log level" msgstr "Επίπεδο καταγραφής" -#: templates/admin.php:229 +#: templates/admin.php:239 msgid "More" msgstr "Περισσότερα" -#: templates/admin.php:230 +#: templates/admin.php:240 msgid "Less" msgstr "Λιγότερα" -#: templates/admin.php:236 templates/personal.php:116 +#: templates/admin.php:246 templates/personal.php:116 msgid "Version" msgstr "Έκδοση" -#: templates/admin.php:240 templates/personal.php:119 +#: templates/admin.php:250 templates/personal.php:119 msgid "" "Developed by the ownCloud community, the access your Files via WebDAV" +msgstr "Χρήση αυτής της διεύθυνσης για πρόσβαση των αρχείων σας μέσω WebDAV" #: templates/users.php:21 msgid "Login Name" diff --git a/l10n/el/user_ldap.po b/l10n/el/user_ldap.po index 253845aea8..f04ddd57ea 100644 --- a/l10n/el/user_ldap.po +++ b/l10n/el/user_ldap.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: I Robot \n" "Language-Team: Greek (http://www.transifex.com/projects/p/owncloud/language/el/)\n" "MIME-Version: 1.0\n" diff --git a/l10n/en@pirate/core.po b/l10n/en@pirate/core.po index d3141f9dd8..80b5bdf950 100644 --- a/l10n/en@pirate/core.po +++ b/l10n/en@pirate/core.po @@ -8,8 +8,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-06-29 02:03+0200\n" -"PO-Revision-Date: 2013-06-29 00:03+0000\n" +"POT-Creation-Date: 2013-07-06 02:02+0200\n" +"PO-Revision-Date: 2013-07-06 00:02+0000\n" "Last-Translator: I Robot \n" "Language-Team: Pirate English (http://www.transifex.com/projects/p/owncloud/language/en@pirate/)\n" "MIME-Version: 1.0\n" @@ -226,8 +226,8 @@ msgstr "" #: js/oc-vcategories.js:14 js/oc-vcategories.js:80 js/oc-vcategories.js:95 #: js/oc-vcategories.js:110 js/oc-vcategories.js:125 js/oc-vcategories.js:136 #: js/oc-vcategories.js:172 js/oc-vcategories.js:189 js/oc-vcategories.js:195 -#: js/oc-vcategories.js:199 js/share.js:136 js/share.js:143 js/share.js:618 -#: js/share.js:630 +#: js/oc-vcategories.js:199 js/share.js:136 js/share.js:143 js/share.js:620 +#: js/share.js:632 msgid "Error" msgstr "" @@ -247,7 +247,7 @@ msgstr "" msgid "Share" msgstr "" -#: js/share.js:125 js/share.js:658 +#: js/share.js:125 js/share.js:660 msgid "Error while sharing" msgstr "" @@ -283,87 +283,87 @@ msgstr "" msgid "Password" msgstr "Passcode" -#: js/share.js:186 +#: js/share.js:187 msgid "Allow Public Upload" msgstr "" -#: js/share.js:189 +#: js/share.js:191 msgid "Email link to person" msgstr "" -#: js/share.js:190 +#: js/share.js:192 msgid "Send" msgstr "" -#: js/share.js:195 +#: js/share.js:197 msgid "Set expiration date" msgstr "" -#: js/share.js:196 +#: js/share.js:198 msgid "Expiration date" msgstr "" -#: js/share.js:228 +#: js/share.js:230 msgid "Share via email:" msgstr "" -#: js/share.js:230 +#: js/share.js:232 msgid "No people found" msgstr "" -#: js/share.js:268 +#: js/share.js:270 msgid "Resharing is not allowed" msgstr "" -#: js/share.js:304 +#: js/share.js:306 msgid "Shared in {item} with {user}" msgstr "" -#: js/share.js:325 +#: js/share.js:327 msgid "Unshare" msgstr "" -#: js/share.js:337 +#: js/share.js:339 msgid "can edit" msgstr "" -#: js/share.js:339 +#: js/share.js:341 msgid "access control" msgstr "" -#: js/share.js:342 +#: js/share.js:344 msgid "create" msgstr "" -#: js/share.js:345 +#: js/share.js:347 msgid "update" msgstr "" -#: js/share.js:348 +#: js/share.js:350 msgid "delete" msgstr "" -#: js/share.js:351 +#: js/share.js:353 msgid "share" msgstr "" -#: js/share.js:385 js/share.js:605 +#: js/share.js:387 js/share.js:607 msgid "Password protected" msgstr "" -#: js/share.js:618 +#: js/share.js:620 msgid "Error unsetting expiration date" msgstr "" -#: js/share.js:630 +#: js/share.js:632 msgid "Error setting expiration date" msgstr "" -#: js/share.js:645 +#: js/share.js:647 msgid "Sending ..." msgstr "" -#: js/share.js:656 +#: js/share.js:658 msgid "Email sent" msgstr "" @@ -466,7 +466,7 @@ msgstr "" msgid "Cloud not found" msgstr "" -#: templates/altmail.php:2 +#: templates/altmail.php:4 #, php-format msgid "" "Hey there,\n" @@ -477,10 +477,6 @@ msgid "" "Cheers!" msgstr "" -#: templates/altmail.php:7 templates/mail.php:24 -msgid "web services under your control" -msgstr "web services under your control" - #: templates/edit_categories_dialog.php:4 msgid "Edit categories" msgstr "" @@ -573,12 +569,12 @@ msgstr "" msgid "Finish setup" msgstr "" -#: templates/layout.user.php:40 +#: templates/layout.user.php:43 #, php-format msgid "%s is available. Get more information on how to update." msgstr "" -#: templates/layout.user.php:67 +#: templates/layout.user.php:68 msgid "Log out" msgstr "" @@ -612,7 +608,7 @@ msgstr "" msgid "Alternative Logins" msgstr "" -#: templates/mail.php:15 +#: templates/mail.php:16 #, php-format msgid "" "Hey there,

    just letting you know that %s shared »%s« with you.
    \n" "Language-Team: Pirate English (http://www.transifex.com/projects/p/owncloud/language/en@pirate/)\n" "MIME-Version: 1.0\n" @@ -27,54 +27,54 @@ msgstr "" msgid "Could not move %s" msgstr "" -#: ajax/upload.php:16 ajax/upload.php:39 +#: ajax/upload.php:16 ajax/upload.php:45 msgid "Unable to set upload directory." msgstr "" -#: ajax/upload.php:23 +#: ajax/upload.php:22 msgid "Invalid Token" msgstr "" -#: ajax/upload.php:55 +#: ajax/upload.php:59 msgid "No file was uploaded. Unknown error" msgstr "" -#: ajax/upload.php:62 +#: ajax/upload.php:66 msgid "There is no error, the file uploaded with success" msgstr "" -#: ajax/upload.php:63 +#: ajax/upload.php:67 msgid "" "The uploaded file exceeds the upload_max_filesize directive in php.ini: " msgstr "" -#: ajax/upload.php:65 +#: ajax/upload.php:69 msgid "" "The uploaded file exceeds the MAX_FILE_SIZE directive that was specified in " "the HTML form" msgstr "" -#: ajax/upload.php:66 +#: ajax/upload.php:70 msgid "The uploaded file was only partially uploaded" msgstr "" -#: ajax/upload.php:67 +#: ajax/upload.php:71 msgid "No file was uploaded" msgstr "" -#: ajax/upload.php:68 +#: ajax/upload.php:72 msgid "Missing a temporary folder" msgstr "" -#: ajax/upload.php:69 +#: ajax/upload.php:73 msgid "Failed to write to disk" msgstr "" -#: ajax/upload.php:87 +#: ajax/upload.php:91 msgid "Not enough storage available" msgstr "" -#: ajax/upload.php:119 +#: ajax/upload.php:123 msgid "Invalid directory." msgstr "" @@ -128,43 +128,43 @@ msgstr "" msgid "Rename" msgstr "" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:464 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:465 msgid "Pending" msgstr "" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "{new_name} already exists" msgstr "" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "replace" msgstr "" -#: js/filelist.js:302 +#: js/filelist.js:303 msgid "suggest name" msgstr "" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "cancel" msgstr "" -#: js/filelist.js:349 +#: js/filelist.js:350 msgid "replaced {new_name} with {old_name}" msgstr "" -#: js/filelist.js:349 +#: js/filelist.js:350 msgid "undo" msgstr "" -#: js/filelist.js:374 +#: js/filelist.js:375 msgid "perform delete operation" msgstr "" -#: js/filelist.js:456 +#: js/filelist.js:457 msgid "1 file uploading" msgstr "" -#: js/filelist.js:459 js/filelist.js:517 +#: js/filelist.js:460 js/filelist.js:518 msgid "files uploading" msgstr "" @@ -212,19 +212,19 @@ msgstr "" msgid "Modified" msgstr "" -#: js/files.js:765 +#: js/files.js:763 msgid "1 folder" msgstr "" -#: js/files.js:767 +#: js/files.js:765 msgid "{count} folders" msgstr "" -#: js/files.js:775 +#: js/files.js:773 msgid "1 file" msgstr "" -#: js/files.js:777 +#: js/files.js:775 msgid "{count} files" msgstr "" @@ -327,19 +327,19 @@ msgstr "" msgid "Current scanning" msgstr "" -#: templates/part.list.php:78 +#: templates/part.list.php:74 msgid "directory" msgstr "" -#: templates/part.list.php:80 +#: templates/part.list.php:76 msgid "directories" msgstr "" -#: templates/part.list.php:89 +#: templates/part.list.php:85 msgid "file" msgstr "" -#: templates/part.list.php:91 +#: templates/part.list.php:87 msgid "files" msgstr "" diff --git a/l10n/en@pirate/files_sharing.po b/l10n/en@pirate/files_sharing.po index ed7f74f619..8fae1af4ef 100644 --- a/l10n/en@pirate/files_sharing.po +++ b/l10n/en@pirate/files_sharing.po @@ -8,8 +8,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:13+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: I Robot \n" "Language-Team: Pirate English (http://www.transifex.com/projects/p/owncloud/language/en@pirate/)\n" "MIME-Version: 1.0\n" @@ -40,18 +40,18 @@ msgstr "%s shared the folder %s with you" msgid "%s shared the file %s with you" msgstr "%s shared the file %s with you" -#: templates/public.php:28 templates/public.php:86 +#: templates/public.php:28 templates/public.php:90 msgid "Download" msgstr "Download" -#: templates/public.php:44 +#: templates/public.php:45 templates/public.php:48 msgid "Upload" msgstr "" -#: templates/public.php:54 +#: templates/public.php:58 msgid "Cancel upload" msgstr "" -#: templates/public.php:83 +#: templates/public.php:87 msgid "No preview available for" msgstr "No preview available for" diff --git a/l10n/en@pirate/lib.po b/l10n/en@pirate/lib.po index b78612938d..fb244e8b56 100644 --- a/l10n/en@pirate/lib.po +++ b/l10n/en@pirate/lib.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:13+0000\n" +"POT-Creation-Date: 2013-07-24 01:55-0400\n" +"PO-Revision-Date: 2013-07-24 05:55+0000\n" "Last-Translator: I Robot \n" "Language-Team: Pirate English (http://www.transifex.com/projects/p/owncloud/language/en@pirate/)\n" "MIME-Version: 1.0\n" @@ -41,27 +41,43 @@ msgstr "" msgid "Admin" msgstr "" -#: defaults.php:33 -msgid "web services under your control" +#: app.php:844 +#, php-format +msgid "Failed to upgrade \"%s\"." msgstr "" -#: files.php:210 +#: defaults.php:33 +msgid "web services under your control" +msgstr "web services under your control" + +#: files.php:66 files.php:98 +#, php-format +msgid "cannot open \"%s\"" +msgstr "" + +#: files.php:226 msgid "ZIP download is turned off." msgstr "" -#: files.php:211 +#: files.php:227 msgid "Files need to be downloaded one by one." msgstr "" -#: files.php:212 files.php:245 +#: files.php:228 files.php:256 msgid "Back to Files" msgstr "" -#: files.php:242 +#: files.php:253 msgid "Selected files too large to generate zip file." msgstr "" -#: helper.php:236 +#: files.php:254 +msgid "" +"Download the files in smaller chunks, seperately or kindly ask your " +"administrator." +msgstr "" + +#: helper.php:235 msgid "couldn't be determined" msgstr "" @@ -170,77 +186,81 @@ msgstr "" msgid "PostgreSQL username and/or password not valid" msgstr "" -#: setup.php:42 +#: setup.php:28 msgid "Set an admin username." msgstr "" -#: setup.php:45 +#: setup.php:31 msgid "Set an admin password." msgstr "" -#: setup.php:198 +#: setup.php:184 msgid "" "Your web server is not yet properly setup to allow files synchronization " "because the WebDAV interface seems to be broken." msgstr "" -#: setup.php:199 +#: setup.php:185 #, php-format msgid "Please double check the installation guides." msgstr "" -#: template.php:113 +#: template/functions.php:80 msgid "seconds ago" msgstr "" -#: template.php:114 +#: template/functions.php:81 msgid "1 minute ago" msgstr "" -#: template.php:115 +#: template/functions.php:82 #, php-format msgid "%d minutes ago" msgstr "" -#: template.php:116 +#: template/functions.php:83 msgid "1 hour ago" msgstr "" -#: template.php:117 +#: template/functions.php:84 #, php-format msgid "%d hours ago" msgstr "" -#: template.php:118 +#: template/functions.php:85 msgid "today" msgstr "" -#: template.php:119 +#: template/functions.php:86 msgid "yesterday" msgstr "" -#: template.php:120 +#: template/functions.php:87 #, php-format msgid "%d days ago" msgstr "" -#: template.php:121 +#: template/functions.php:88 msgid "last month" msgstr "" -#: template.php:122 +#: template/functions.php:89 #, php-format msgid "%d months ago" msgstr "" -#: template.php:123 +#: template/functions.php:90 msgid "last year" msgstr "" -#: template.php:124 +#: template/functions.php:91 msgid "years ago" msgstr "" +#: template.php:296 +msgid "Caused by:" +msgstr "" + #: vcategories.php:188 vcategories.php:249 #, php-format msgid "Could not find category \"%s\"" diff --git a/l10n/en@pirate/settings.po b/l10n/en@pirate/settings.po index 248b7b6182..7be12d1c91 100644 --- a/l10n/en@pirate/settings.po +++ b/l10n/en@pirate/settings.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-06-23 01:59+0200\n" -"PO-Revision-Date: 2013-06-22 10:24+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:55+0000\n" "Last-Translator: I Robot \n" "Language-Team: Pirate English (http://www.transifex.com/projects/p/owncloud/language/en@pirate/)\n" "MIME-Version: 1.0\n" @@ -88,35 +88,35 @@ msgstr "" msgid "Couldn't update app." msgstr "" -#: js/apps.js:30 +#: js/apps.js:35 msgid "Update to {appversion}" msgstr "" -#: js/apps.js:36 js/apps.js:76 +#: js/apps.js:41 js/apps.js:81 msgid "Disable" msgstr "" -#: js/apps.js:36 js/apps.js:64 js/apps.js:83 +#: js/apps.js:41 js/apps.js:69 js/apps.js:88 msgid "Enable" msgstr "" -#: js/apps.js:55 +#: js/apps.js:60 msgid "Please wait...." msgstr "" -#: js/apps.js:59 js/apps.js:71 js/apps.js:80 js/apps.js:93 +#: js/apps.js:64 js/apps.js:76 js/apps.js:85 js/apps.js:98 msgid "Error" msgstr "" -#: js/apps.js:90 +#: js/apps.js:95 msgid "Updating...." msgstr "" -#: js/apps.js:93 +#: js/apps.js:98 msgid "Error while updating app" msgstr "" -#: js/apps.js:96 +#: js/apps.js:101 msgid "Updated" msgstr "" @@ -165,15 +165,15 @@ msgstr "" msgid "A valid password must be provided" msgstr "" -#: personal.php:35 personal.php:36 +#: personal.php:37 personal.php:38 msgid "__language_name__" msgstr "" -#: templates/admin.php:15 +#: templates/admin.php:17 msgid "Security Warning" msgstr "" -#: templates/admin.php:18 +#: templates/admin.php:20 msgid "" "Your data directory and your files are probably accessible from the " "internet. The .htaccess file that ownCloud provides is not working. We " @@ -182,36 +182,36 @@ msgid "" " webserver document root." msgstr "" -#: templates/admin.php:29 +#: templates/admin.php:31 msgid "Setup Warning" msgstr "" -#: templates/admin.php:32 +#: templates/admin.php:34 msgid "" "Your web server is not yet properly setup to allow files synchronization " "because the WebDAV interface seems to be broken." msgstr "" -#: templates/admin.php:33 +#: templates/admin.php:35 #, php-format msgid "Please double check the installation guides." msgstr "" -#: templates/admin.php:44 +#: templates/admin.php:46 msgid "Module 'fileinfo' missing" msgstr "" -#: templates/admin.php:47 +#: templates/admin.php:49 msgid "" "The PHP module 'fileinfo' is missing. We strongly recommend to enable this " "module to get best results with mime-type detection." msgstr "" -#: templates/admin.php:58 +#: templates/admin.php:60 msgid "Locale not working" msgstr "" -#: templates/admin.php:63 +#: templates/admin.php:65 #, php-format msgid "" "This ownCloud server can't set system locale to %s. This means that there " @@ -219,11 +219,11 @@ msgid "" " to install the required packages on your system to support %s." msgstr "" -#: templates/admin.php:75 +#: templates/admin.php:77 msgid "Internet connection not working" msgstr "" -#: templates/admin.php:78 +#: templates/admin.php:80 msgid "" "This ownCloud server has no working internet connection. This means that " "some of the features like mounting of external storage, notifications about " @@ -233,102 +233,111 @@ msgid "" " of ownCloud." msgstr "" -#: templates/admin.php:92 +#: templates/admin.php:94 msgid "Cron" msgstr "" -#: templates/admin.php:101 +#: templates/admin.php:103 msgid "Execute one task with each page loaded" msgstr "" -#: templates/admin.php:111 +#: templates/admin.php:113 msgid "" "cron.php is registered at a webcron service. Call the cron.php page in the " "owncloud root once a minute over http." msgstr "" -#: templates/admin.php:121 +#: templates/admin.php:123 msgid "" "Use systems cron service. Call the cron.php file in the owncloud folder via " "a system cronjob once a minute." msgstr "" -#: templates/admin.php:128 +#: templates/admin.php:130 msgid "Sharing" msgstr "" -#: templates/admin.php:134 +#: templates/admin.php:136 msgid "Enable Share API" msgstr "" -#: templates/admin.php:135 +#: templates/admin.php:137 msgid "Allow apps to use the Share API" msgstr "" -#: templates/admin.php:142 +#: templates/admin.php:144 msgid "Allow links" msgstr "" -#: templates/admin.php:143 +#: templates/admin.php:145 msgid "Allow users to share items to the public with links" msgstr "" -#: templates/admin.php:150 +#: templates/admin.php:153 +msgid "Allow public uploads" +msgstr "" + +#: templates/admin.php:154 +msgid "" +"Allow users to enable others to upload into their publicly shared folders" +msgstr "" + +#: templates/admin.php:162 msgid "Allow resharing" msgstr "" -#: templates/admin.php:151 +#: templates/admin.php:163 msgid "Allow users to share items shared with them again" msgstr "" -#: templates/admin.php:158 +#: templates/admin.php:170 msgid "Allow users to share with anyone" msgstr "" -#: templates/admin.php:161 +#: templates/admin.php:173 msgid "Allow users to only share with users in their groups" msgstr "" -#: templates/admin.php:168 +#: templates/admin.php:180 msgid "Security" msgstr "" -#: templates/admin.php:181 +#: templates/admin.php:193 msgid "Enforce HTTPS" msgstr "" -#: templates/admin.php:182 +#: templates/admin.php:194 msgid "" "Enforces the clients to connect to ownCloud via an encrypted connection." msgstr "" -#: templates/admin.php:185 +#: templates/admin.php:197 msgid "" "Please connect to this ownCloud instance via HTTPS to enable or disable the " "SSL enforcement." msgstr "" -#: templates/admin.php:195 +#: templates/admin.php:207 msgid "Log" msgstr "" -#: templates/admin.php:196 +#: templates/admin.php:208 msgid "Log level" msgstr "" -#: templates/admin.php:227 +#: templates/admin.php:239 msgid "More" msgstr "" -#: templates/admin.php:228 +#: templates/admin.php:240 msgid "Less" msgstr "" -#: templates/admin.php:235 templates/personal.php:116 +#: templates/admin.php:246 templates/personal.php:116 msgid "Version" msgstr "" -#: templates/admin.php:237 templates/personal.php:119 +#: templates/admin.php:250 templates/personal.php:119 msgid "" "Developed by the ownCloud community, the %s of the available %s" msgstr "" -#: templates/personal.php:40 templates/users.php:23 templates/users.php:86 +#: templates/personal.php:41 templates/users.php:23 templates/users.php:86 msgid "Password" msgstr "Passcode" -#: templates/personal.php:41 +#: templates/personal.php:42 msgid "Your password was changed" msgstr "" -#: templates/personal.php:42 +#: templates/personal.php:43 msgid "Unable to change your password" msgstr "" -#: templates/personal.php:43 +#: templates/personal.php:44 msgid "Current password" msgstr "" -#: templates/personal.php:45 +#: templates/personal.php:46 msgid "New password" msgstr "" -#: templates/personal.php:47 +#: templates/personal.php:48 msgid "Change password" msgstr "" -#: templates/personal.php:59 templates/users.php:85 +#: templates/personal.php:60 templates/users.php:85 msgid "Display Name" msgstr "" -#: templates/personal.php:74 +#: templates/personal.php:75 msgid "Email" msgstr "" -#: templates/personal.php:76 +#: templates/personal.php:77 msgid "Your email address" msgstr "" -#: templates/personal.php:77 +#: templates/personal.php:78 msgid "Fill in an email address to enable password recovery" msgstr "" -#: templates/personal.php:86 templates/personal.php:87 +#: templates/personal.php:87 templates/personal.php:88 msgid "Language" msgstr "" -#: templates/personal.php:99 +#: templates/personal.php:100 msgid "Help translate" msgstr "" -#: templates/personal.php:105 +#: templates/personal.php:106 msgid "WebDAV" msgstr "" -#: templates/personal.php:107 -msgid "Use this address to connect to your ownCloud in your file manager" +#: templates/personal.php:108 +#, php-format +msgid "" +"Use this address to access your Files via WebDAV" msgstr "" #: templates/users.php:21 diff --git a/l10n/eo/core.po b/l10n/eo/core.po index 39521193ea..29a61242bf 100644 --- a/l10n/eo/core.po +++ b/l10n/eo/core.po @@ -9,8 +9,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:12+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:04+0000\n" "Last-Translator: I Robot \n" "Language-Team: Esperanto (http://www.transifex.com/projects/p/owncloud/language/eo/)\n" "MIME-Version: 1.0\n" @@ -139,59 +139,59 @@ msgstr "Novembro" msgid "December" msgstr "Decembro" -#: js/js.js:289 +#: js/js.js:293 msgid "Settings" msgstr "Agordo" -#: js/js.js:721 +#: js/js.js:715 msgid "seconds ago" msgstr "sekundoj antaŭe" -#: js/js.js:722 +#: js/js.js:716 msgid "1 minute ago" msgstr "antaŭ 1 minuto" -#: js/js.js:723 +#: js/js.js:717 msgid "{minutes} minutes ago" msgstr "antaŭ {minutes} minutoj" -#: js/js.js:724 +#: js/js.js:718 msgid "1 hour ago" msgstr "antaŭ 1 horo" -#: js/js.js:725 +#: js/js.js:719 msgid "{hours} hours ago" msgstr "antaŭ {hours} horoj" -#: js/js.js:726 +#: js/js.js:720 msgid "today" msgstr "hodiaŭ" -#: js/js.js:727 +#: js/js.js:721 msgid "yesterday" msgstr "hieraŭ" -#: js/js.js:728 +#: js/js.js:722 msgid "{days} days ago" msgstr "antaŭ {days} tagoj" -#: js/js.js:729 +#: js/js.js:723 msgid "last month" msgstr "lastamonate" -#: js/js.js:730 +#: js/js.js:724 msgid "{months} months ago" msgstr "antaŭ {months} monatoj" -#: js/js.js:731 +#: js/js.js:725 msgid "months ago" msgstr "monatoj antaŭe" -#: js/js.js:732 +#: js/js.js:726 msgid "last year" msgstr "lastajare" -#: js/js.js:733 +#: js/js.js:727 msgid "years ago" msgstr "jaroj antaŭe" @@ -227,8 +227,8 @@ msgstr "Ne indikiĝis tipo de la objekto." #: js/oc-vcategories.js:14 js/oc-vcategories.js:80 js/oc-vcategories.js:95 #: js/oc-vcategories.js:110 js/oc-vcategories.js:125 js/oc-vcategories.js:136 #: js/oc-vcategories.js:172 js/oc-vcategories.js:189 js/oc-vcategories.js:195 -#: js/oc-vcategories.js:199 js/share.js:136 js/share.js:143 js/share.js:618 -#: js/share.js:630 +#: js/oc-vcategories.js:199 js/share.js:136 js/share.js:143 js/share.js:625 +#: js/share.js:637 msgid "Error" msgstr "Eraro" @@ -248,7 +248,7 @@ msgstr "Dividita" msgid "Share" msgstr "Kunhavigi" -#: js/share.js:125 js/share.js:658 +#: js/share.js:125 js/share.js:665 msgid "Error while sharing" msgstr "Eraro dum kunhavigo" @@ -268,114 +268,114 @@ msgstr "Kunhavigita kun vi kaj la grupo {group} de {owner}" msgid "Shared with you by {owner}" msgstr "Kunhavigita kun vi de {owner}" -#: js/share.js:172 +#: js/share.js:177 msgid "Share with" msgstr "Kunhavigi kun" -#: js/share.js:177 +#: js/share.js:182 msgid "Share with link" msgstr "Kunhavigi per ligilo" -#: js/share.js:180 +#: js/share.js:185 msgid "Password protect" msgstr "Protekti per pasvorto" -#: js/share.js:182 templates/installation.php:54 templates/login.php:26 +#: js/share.js:187 templates/installation.php:54 templates/login.php:26 msgid "Password" msgstr "Pasvorto" -#: js/share.js:186 +#: js/share.js:192 msgid "Allow Public Upload" msgstr "" -#: js/share.js:189 +#: js/share.js:196 msgid "Email link to person" msgstr "Retpoŝti la ligilon al ulo" -#: js/share.js:190 +#: js/share.js:197 msgid "Send" msgstr "Sendi" -#: js/share.js:195 +#: js/share.js:202 msgid "Set expiration date" msgstr "Agordi limdaton" -#: js/share.js:196 +#: js/share.js:203 msgid "Expiration date" msgstr "Limdato" -#: js/share.js:228 +#: js/share.js:235 msgid "Share via email:" msgstr "Kunhavigi per retpoŝto:" -#: js/share.js:230 +#: js/share.js:237 msgid "No people found" msgstr "Ne troviĝis gento" -#: js/share.js:268 +#: js/share.js:275 msgid "Resharing is not allowed" msgstr "Rekunhavigo ne permesatas" -#: js/share.js:304 +#: js/share.js:311 msgid "Shared in {item} with {user}" msgstr "Kunhavigita en {item} kun {user}" -#: js/share.js:325 +#: js/share.js:332 msgid "Unshare" msgstr "Malkunhavigi" -#: js/share.js:337 +#: js/share.js:344 msgid "can edit" msgstr "povas redakti" -#: js/share.js:339 +#: js/share.js:346 msgid "access control" msgstr "alirkontrolo" -#: js/share.js:342 +#: js/share.js:349 msgid "create" msgstr "krei" -#: js/share.js:345 +#: js/share.js:352 msgid "update" msgstr "ĝisdatigi" -#: js/share.js:348 +#: js/share.js:355 msgid "delete" msgstr "forigi" -#: js/share.js:351 +#: js/share.js:358 msgid "share" msgstr "kunhavigi" -#: js/share.js:385 js/share.js:605 +#: js/share.js:392 js/share.js:612 msgid "Password protected" msgstr "Protektita per pasvorto" -#: js/share.js:618 +#: js/share.js:625 msgid "Error unsetting expiration date" msgstr "Eraro dum malagordado de limdato" -#: js/share.js:630 +#: js/share.js:637 msgid "Error setting expiration date" msgstr "Eraro dum agordado de limdato" -#: js/share.js:645 +#: js/share.js:652 msgid "Sending ..." msgstr "Sendante..." -#: js/share.js:656 +#: js/share.js:663 msgid "Email sent" msgstr "La retpoŝtaĵo sendiĝis" -#: js/update.js:14 +#: js/update.js:17 msgid "" "The update was unsuccessful. Please report this issue to the ownCloud " "community." msgstr "La ĝisdatigo estis malsukcese. Bonvolu raporti tiun problemon al la ownClouda komunumo." -#: js/update.js:18 +#: js/update.js:21 msgid "The update was successful. Redirecting you to ownCloud now." msgstr "La ĝisdatigo estis sukcesa. Alidirektante nun al ownCloud." @@ -467,7 +467,7 @@ msgstr "Aliro estas malpermesata" msgid "Cloud not found" msgstr "La nubo ne estas trovita" -#: templates/altmail.php:2 +#: templates/altmail.php:4 #, php-format msgid "" "Hey there,\n" @@ -478,10 +478,6 @@ msgid "" "Cheers!" msgstr "Saluton:\n\nNi nur sciigas vin, ke %s kunhavigis %s kun vi.\nVidu ĝin: %s\n\nĜis!" -#: templates/altmail.php:7 templates/mail.php:24 -msgid "web services under your control" -msgstr "TTT-servoj regataj de vi" - #: templates/edit_categories_dialog.php:4 msgid "Edit categories" msgstr "Redakti kategoriojn" @@ -613,7 +609,7 @@ msgstr "Ensaluti" msgid "Alternative Logins" msgstr "Alternativaj ensalutoj" -#: templates/mail.php:15 +#: templates/mail.php:16 #, php-format msgid "" "Hey there,

    just letting you know that %s shared »%s« with you.
    \n" "Language-Team: Esperanto (http://www.transifex.com/projects/p/owncloud/language/eo/)\n" "MIME-Version: 1.0\n" @@ -28,54 +28,54 @@ msgstr "Ne eblis movi %s: dosiero kun ĉi tiu nomo jam ekzistas" msgid "Could not move %s" msgstr "Ne eblis movi %s" -#: ajax/upload.php:16 ajax/upload.php:39 +#: ajax/upload.php:16 ajax/upload.php:45 msgid "Unable to set upload directory." msgstr "" -#: ajax/upload.php:23 +#: ajax/upload.php:22 msgid "Invalid Token" msgstr "" -#: ajax/upload.php:55 +#: ajax/upload.php:59 msgid "No file was uploaded. Unknown error" msgstr "Neniu dosiero alŝutiĝis. Nekonata eraro." -#: ajax/upload.php:62 +#: ajax/upload.php:66 msgid "There is no error, the file uploaded with success" msgstr "Ne estas eraro, la dosiero alŝutiĝis sukcese." -#: ajax/upload.php:63 +#: ajax/upload.php:67 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: " -#: ajax/upload.php:65 +#: ajax/upload.php:69 msgid "" "The uploaded file exceeds the MAX_FILE_SIZE directive that was specified in " "the HTML form" msgstr "La dosiero alŝutita superas la regulon MAX_FILE_SIZE, kiu estas difinita en la HTML-formularo" -#: ajax/upload.php:66 +#: ajax/upload.php:70 msgid "The uploaded file was only partially uploaded" msgstr "la alŝutita dosiero nur parte alŝutiĝis" -#: ajax/upload.php:67 +#: ajax/upload.php:71 msgid "No file was uploaded" msgstr "Neniu dosiero alŝutiĝis." -#: ajax/upload.php:68 +#: ajax/upload.php:72 msgid "Missing a temporary folder" msgstr "Mankas provizora dosierujo." -#: ajax/upload.php:69 +#: ajax/upload.php:73 msgid "Failed to write to disk" msgstr "Malsukcesis skribo al disko" -#: ajax/upload.php:87 +#: ajax/upload.php:91 msgid "Not enough storage available" msgstr "Ne haveblas sufiĉa memoro" -#: ajax/upload.php:119 +#: ajax/upload.php:123 msgid "Invalid directory." msgstr "Nevalida dosierujo." @@ -129,43 +129,43 @@ msgstr "Forigi" msgid "Rename" msgstr "Alinomigi" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:464 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:465 msgid "Pending" msgstr "Traktotaj" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "{new_name} already exists" msgstr "{new_name} jam ekzistas" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "replace" msgstr "anstataŭigi" -#: js/filelist.js:302 +#: js/filelist.js:303 msgid "suggest name" msgstr "sugesti nomon" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "cancel" msgstr "nuligi" -#: js/filelist.js:349 +#: js/filelist.js:350 msgid "replaced {new_name} with {old_name}" msgstr "anstataŭiĝis {new_name} per {old_name}" -#: js/filelist.js:349 +#: js/filelist.js:350 msgid "undo" msgstr "malfari" -#: js/filelist.js:374 +#: js/filelist.js:375 msgid "perform delete operation" msgstr "plenumi forigan operacion" -#: js/filelist.js:456 +#: js/filelist.js:457 msgid "1 file uploading" msgstr "1 dosiero estas alŝutata" -#: js/filelist.js:459 js/filelist.js:517 +#: js/filelist.js:460 js/filelist.js:518 msgid "files uploading" msgstr "dosieroj estas alŝutataj" @@ -213,19 +213,19 @@ msgstr "Grando" msgid "Modified" msgstr "Modifita" -#: js/files.js:765 +#: js/files.js:763 msgid "1 folder" msgstr "1 dosierujo" -#: js/files.js:767 +#: js/files.js:765 msgid "{count} folders" msgstr "{count} dosierujoj" -#: js/files.js:775 +#: js/files.js:773 msgid "1 file" msgstr "1 dosiero" -#: js/files.js:777 +#: js/files.js:775 msgid "{count} files" msgstr "{count} dosierujoj" @@ -328,19 +328,19 @@ msgstr "Dosieroj estas skanataj, bonvolu atendi." msgid "Current scanning" msgstr "Nuna skano" -#: templates/part.list.php:78 +#: templates/part.list.php:74 msgid "directory" msgstr "" -#: templates/part.list.php:80 +#: templates/part.list.php:76 msgid "directories" msgstr "" -#: templates/part.list.php:89 +#: templates/part.list.php:85 msgid "file" msgstr "dosiero" -#: templates/part.list.php:91 +#: templates/part.list.php:87 msgid "files" msgstr "dosieroj" diff --git a/l10n/eo/files_external.po b/l10n/eo/files_external.po index 0a8b013786..a97c1db9c0 100644 --- a/l10n/eo/files_external.po +++ b/l10n/eo/files_external.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: I Robot \n" "Language-Team: Esperanto (http://www.transifex.com/projects/p/owncloud/language/eo/)\n" "MIME-Version: 1.0\n" @@ -37,20 +37,20 @@ msgstr "Bonvolu provizi ŝlosilon de la aplikaĵo Dropbox validan kaj sekretan." msgid "Error configuring Google Drive storage" msgstr "Eraro dum agordado de la memorservo Google Drive" -#: lib/config.php:431 +#: lib/config.php:447 msgid "" "Warning: \"smbclient\" is not installed. Mounting of CIFS/SMB shares " "is not possible. Please ask your system administrator to install it." msgstr "" -#: lib/config.php:434 +#: lib/config.php:450 msgid "" "Warning: The FTP support in PHP is not enabled or installed. Mounting" " of FTP shares is not possible. Please ask your system administrator to " "install it." msgstr "" -#: lib/config.php:437 +#: lib/config.php:453 msgid "" "Warning: The Curl support in PHP is not enabled or installed. " "Mounting of ownCloud / WebDAV or GoogleDrive is not possible. Please ask " diff --git a/l10n/eo/files_sharing.po b/l10n/eo/files_sharing.po index d2e80e9eed..84941f5630 100644 --- a/l10n/eo/files_sharing.po +++ b/l10n/eo/files_sharing.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:13+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: I Robot \n" "Language-Team: Esperanto (http://www.transifex.com/projects/p/owncloud/language/eo/)\n" "MIME-Version: 1.0\n" @@ -39,18 +39,18 @@ msgstr "%s kunhavigis la dosierujon %s kun vi" msgid "%s shared the file %s with you" msgstr "%s kunhavigis la dosieron %s kun vi" -#: templates/public.php:28 templates/public.php:86 +#: templates/public.php:28 templates/public.php:90 msgid "Download" msgstr "Elŝuti" -#: templates/public.php:44 +#: templates/public.php:45 templates/public.php:48 msgid "Upload" msgstr "Alŝuti" -#: templates/public.php:54 +#: templates/public.php:58 msgid "Cancel upload" msgstr "Nuligi alŝuton" -#: templates/public.php:83 +#: templates/public.php:87 msgid "No preview available for" msgstr "Ne haveblas antaŭvido por" diff --git a/l10n/eo/files_trashbin.po b/l10n/eo/files_trashbin.po index 26ec4d5c75..9ace2aeafe 100644 --- a/l10n/eo/files_trashbin.po +++ b/l10n/eo/files_trashbin.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: I Robot \n" "Language-Team: Esperanto (http://www.transifex.com/projects/p/owncloud/language/eo/)\n" "MIME-Version: 1.0\n" diff --git a/l10n/eo/lib.po b/l10n/eo/lib.po index 1b5c7a3751..60028aadc8 100644 --- a/l10n/eo/lib.po +++ b/l10n/eo/lib.po @@ -8,8 +8,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:13+0000\n" +"POT-Creation-Date: 2013-07-24 01:55-0400\n" +"PO-Revision-Date: 2013-07-24 05:55+0000\n" "Last-Translator: I Robot \n" "Language-Team: Esperanto (http://www.transifex.com/projects/p/owncloud/language/eo/)\n" "MIME-Version: 1.0\n" @@ -42,27 +42,43 @@ msgstr "Aplikaĵoj" msgid "Admin" msgstr "Administranto" -#: defaults.php:33 -msgid "web services under your control" +#: app.php:844 +#, php-format +msgid "Failed to upgrade \"%s\"." msgstr "" -#: files.php:210 +#: defaults.php:33 +msgid "web services under your control" +msgstr "TTT-servoj regataj de vi" + +#: files.php:66 files.php:98 +#, php-format +msgid "cannot open \"%s\"" +msgstr "" + +#: files.php:226 msgid "ZIP download is turned off." msgstr "ZIP-elŝuto estas malkapabligita." -#: files.php:211 +#: files.php:227 msgid "Files need to be downloaded one by one." msgstr "Dosieroj devas elŝutiĝi unuope." -#: files.php:212 files.php:245 +#: files.php:228 files.php:256 msgid "Back to Files" msgstr "Reen al la dosieroj" -#: files.php:242 +#: files.php:253 msgid "Selected files too large to generate zip file." msgstr "La elektitaj dosieroj tro grandas por genero de ZIP-dosiero." -#: helper.php:236 +#: files.php:254 +msgid "" +"Download the files in smaller chunks, seperately or kindly ask your " +"administrator." +msgstr "" + +#: helper.php:235 msgid "couldn't be determined" msgstr "" @@ -171,77 +187,81 @@ msgstr "" msgid "PostgreSQL username and/or password not valid" msgstr "La uzantonomo de PostgreSQL aŭ la pasvorto ne validas" -#: setup.php:42 +#: setup.php:28 msgid "Set an admin username." msgstr "Starigi administran uzantonomon." -#: setup.php:45 +#: setup.php:31 msgid "Set an admin password." msgstr "Starigi administran pasvorton." -#: setup.php:198 +#: setup.php:184 msgid "" "Your web server is not yet properly setup to allow files synchronization " "because the WebDAV interface seems to be broken." msgstr "Via TTT-servilo ankoraŭ ne ĝuste agordiĝis por permesi sinkronigi dosierojn ĉar la WebDAV-interfaco ŝajnas rompita." -#: setup.php:199 +#: setup.php:185 #, php-format msgid "Please double check the installation guides." msgstr "Bonvolu duoble kontroli la gvidilon por instalo." -#: template.php:113 +#: template/functions.php:80 msgid "seconds ago" msgstr "sekundoj antaŭe" -#: template.php:114 +#: template/functions.php:81 msgid "1 minute ago" msgstr "antaŭ 1 minuto" -#: template.php:115 +#: template/functions.php:82 #, php-format msgid "%d minutes ago" msgstr "antaŭ %d minutoj" -#: template.php:116 +#: template/functions.php:83 msgid "1 hour ago" msgstr "antaŭ 1 horo" -#: template.php:117 +#: template/functions.php:84 #, php-format msgid "%d hours ago" msgstr "antaŭ %d horoj" -#: template.php:118 +#: template/functions.php:85 msgid "today" msgstr "hodiaŭ" -#: template.php:119 +#: template/functions.php:86 msgid "yesterday" msgstr "hieraŭ" -#: template.php:120 +#: template/functions.php:87 #, php-format msgid "%d days ago" msgstr "antaŭ %d tagoj" -#: template.php:121 +#: template/functions.php:88 msgid "last month" msgstr "lastamonate" -#: template.php:122 +#: template/functions.php:89 #, php-format msgid "%d months ago" msgstr "antaŭ %d monatoj" -#: template.php:123 +#: template/functions.php:90 msgid "last year" msgstr "lastajare" -#: template.php:124 +#: template/functions.php:91 msgid "years ago" msgstr "jaroj antaŭe" +#: template.php:296 +msgid "Caused by:" +msgstr "" + #: vcategories.php:188 vcategories.php:249 #, php-format msgid "Could not find category \"%s\"" diff --git a/l10n/eo/settings.po b/l10n/eo/settings.po index 4664e82e19..56e549fa61 100644 --- a/l10n/eo/settings.po +++ b/l10n/eo/settings.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:55+0000\n" "Last-Translator: I Robot \n" "Language-Team: Esperanto (http://www.transifex.com/projects/p/owncloud/language/eo/)\n" "MIME-Version: 1.0\n" @@ -273,62 +273,71 @@ msgstr "Kapabligi ligilojn" msgid "Allow users to share items to the public with links" msgstr "Kapabligi uzantojn kunhavigi erojn kun la publiko perligile" -#: templates/admin.php:152 +#: templates/admin.php:153 +msgid "Allow public uploads" +msgstr "" + +#: templates/admin.php:154 +msgid "" +"Allow users to enable others to upload into their publicly shared folders" +msgstr "" + +#: templates/admin.php:162 msgid "Allow resharing" msgstr "Kapabligi rekunhavigon" -#: templates/admin.php:153 +#: templates/admin.php:163 msgid "Allow users to share items shared with them again" msgstr "Kapabligi uzantojn rekunhavigi erojn kunhavigitajn kun ili" -#: templates/admin.php:160 +#: templates/admin.php:170 msgid "Allow users to share with anyone" msgstr "Kapabligi uzantojn kunhavigi kun ĉiu ajn" -#: templates/admin.php:163 +#: templates/admin.php:173 msgid "Allow users to only share with users in their groups" msgstr "Kapabligi uzantojn nur kunhavigi kun uzantoj el siaj grupoj" -#: templates/admin.php:170 +#: templates/admin.php:180 msgid "Security" msgstr "" -#: templates/admin.php:183 +#: templates/admin.php:193 msgid "Enforce HTTPS" msgstr "" -#: templates/admin.php:184 +#: templates/admin.php:194 msgid "" "Enforces the clients to connect to ownCloud via an encrypted connection." msgstr "" -#: templates/admin.php:187 +#: templates/admin.php:197 msgid "" "Please connect to this ownCloud instance via HTTPS to enable or disable the " "SSL enforcement." msgstr "" -#: templates/admin.php:197 +#: templates/admin.php:207 msgid "Log" msgstr "Protokolo" -#: templates/admin.php:198 +#: templates/admin.php:208 msgid "Log level" msgstr "Registronivelo" -#: templates/admin.php:229 +#: templates/admin.php:239 msgid "More" msgstr "Pli" -#: templates/admin.php:230 +#: templates/admin.php:240 msgid "Less" msgstr "Malpli" -#: templates/admin.php:236 templates/personal.php:116 +#: templates/admin.php:246 templates/personal.php:116 msgid "Version" msgstr "Eldono" -#: templates/admin.php:240 templates/personal.php:119 +#: templates/admin.php:250 templates/personal.php:119 msgid "" "Developed by the ownCloud community, the access your Files via WebDAV" +msgstr "" #: templates/users.php:21 msgid "Login Name" diff --git a/l10n/eo/user_ldap.po b/l10n/eo/user_ldap.po index 98ebab9995..7d6d1f4c95 100644 --- a/l10n/eo/user_ldap.po +++ b/l10n/eo/user_ldap.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: I Robot \n" "Language-Team: Esperanto (http://www.transifex.com/projects/p/owncloud/language/eo/)\n" "MIME-Version: 1.0\n" diff --git a/l10n/es/core.po b/l10n/es/core.po index 1000b828d5..760f90a1b9 100644 --- a/l10n/es/core.po +++ b/l10n/es/core.po @@ -14,9 +14,9 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:12+0000\n" -"Last-Translator: saskarip \n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:04+0000\n" +"Last-Translator: I Robot \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" @@ -144,59 +144,59 @@ msgstr "Noviembre" msgid "December" msgstr "Diciembre" -#: js/js.js:289 +#: js/js.js:293 msgid "Settings" msgstr "Ajustes" -#: js/js.js:721 +#: js/js.js:715 msgid "seconds ago" msgstr "hace segundos" -#: js/js.js:722 +#: js/js.js:716 msgid "1 minute ago" msgstr "hace 1 minuto" -#: js/js.js:723 +#: js/js.js:717 msgid "{minutes} minutes ago" msgstr "hace {minutes} minutos" -#: js/js.js:724 +#: js/js.js:718 msgid "1 hour ago" msgstr "Hace 1 hora" -#: js/js.js:725 +#: js/js.js:719 msgid "{hours} hours ago" msgstr "Hace {hours} horas" -#: js/js.js:726 +#: js/js.js:720 msgid "today" msgstr "hoy" -#: js/js.js:727 +#: js/js.js:721 msgid "yesterday" msgstr "ayer" -#: js/js.js:728 +#: js/js.js:722 msgid "{days} days ago" msgstr "hace {days} días" -#: js/js.js:729 +#: js/js.js:723 msgid "last month" msgstr "el mes pasado" -#: js/js.js:730 +#: js/js.js:724 msgid "{months} months ago" msgstr "Hace {months} meses" -#: js/js.js:731 +#: js/js.js:725 msgid "months ago" msgstr "hace meses" -#: js/js.js:732 +#: js/js.js:726 msgid "last year" msgstr "el año pasado" -#: js/js.js:733 +#: js/js.js:727 msgid "years ago" msgstr "hace años" @@ -232,8 +232,8 @@ msgstr "El tipo de objeto no está especificado." #: js/oc-vcategories.js:14 js/oc-vcategories.js:80 js/oc-vcategories.js:95 #: js/oc-vcategories.js:110 js/oc-vcategories.js:125 js/oc-vcategories.js:136 #: js/oc-vcategories.js:172 js/oc-vcategories.js:189 js/oc-vcategories.js:195 -#: js/oc-vcategories.js:199 js/share.js:136 js/share.js:143 js/share.js:618 -#: js/share.js:630 +#: js/oc-vcategories.js:199 js/share.js:136 js/share.js:143 js/share.js:625 +#: js/share.js:637 msgid "Error" msgstr "Error" @@ -253,7 +253,7 @@ msgstr "Compartido" msgid "Share" msgstr "Compartir" -#: js/share.js:125 js/share.js:658 +#: js/share.js:125 js/share.js:665 msgid "Error while sharing" msgstr "Error mientras comparte" @@ -273,114 +273,114 @@ msgstr "Compartido contigo y el grupo {group} por {owner}" msgid "Shared with you by {owner}" msgstr "Compartido contigo por {owner}" -#: js/share.js:172 +#: js/share.js:177 msgid "Share with" msgstr "Compartir con" -#: js/share.js:177 +#: js/share.js:182 msgid "Share with link" msgstr "Compartir con enlace" -#: js/share.js:180 +#: js/share.js:185 msgid "Password protect" msgstr "Protección con contraseña" -#: js/share.js:182 templates/installation.php:54 templates/login.php:26 +#: js/share.js:187 templates/installation.php:54 templates/login.php:26 msgid "Password" msgstr "Contraseña" -#: js/share.js:186 +#: js/share.js:192 msgid "Allow Public Upload" msgstr "Permitir Subida Pública" -#: js/share.js:189 +#: js/share.js:196 msgid "Email link to person" msgstr "Enviar enlace por correo electrónico a una persona" -#: js/share.js:190 +#: js/share.js:197 msgid "Send" msgstr "Enviar" -#: js/share.js:195 +#: js/share.js:202 msgid "Set expiration date" msgstr "Establecer fecha de caducidad" -#: js/share.js:196 +#: js/share.js:203 msgid "Expiration date" msgstr "Fecha de caducidad" -#: js/share.js:228 +#: js/share.js:235 msgid "Share via email:" msgstr "Compartir por correo electrónico:" -#: js/share.js:230 +#: js/share.js:237 msgid "No people found" msgstr "No se encontró gente" -#: js/share.js:268 +#: js/share.js:275 msgid "Resharing is not allowed" msgstr "No se permite compartir de nuevo" -#: js/share.js:304 +#: js/share.js:311 msgid "Shared in {item} with {user}" msgstr "Compartido en {item} con {user}" -#: js/share.js:325 +#: js/share.js:332 msgid "Unshare" msgstr "Dejar de compartir" -#: js/share.js:337 +#: js/share.js:344 msgid "can edit" msgstr "puede editar" -#: js/share.js:339 +#: js/share.js:346 msgid "access control" msgstr "control de acceso" -#: js/share.js:342 +#: js/share.js:349 msgid "create" msgstr "crear" -#: js/share.js:345 +#: js/share.js:352 msgid "update" msgstr "actualizar" -#: js/share.js:348 +#: js/share.js:355 msgid "delete" msgstr "eliminar" -#: js/share.js:351 +#: js/share.js:358 msgid "share" msgstr "compartir" -#: js/share.js:385 js/share.js:605 +#: js/share.js:392 js/share.js:612 msgid "Password protected" msgstr "Protegido con contraseña" -#: js/share.js:618 +#: js/share.js:625 msgid "Error unsetting expiration date" msgstr "Error eliminando fecha de caducidad" -#: js/share.js:630 +#: js/share.js:637 msgid "Error setting expiration date" msgstr "Error estableciendo fecha de caducidad" -#: js/share.js:645 +#: js/share.js:652 msgid "Sending ..." msgstr "Enviando..." -#: js/share.js:656 +#: js/share.js:663 msgid "Email sent" msgstr "Correo electrónico enviado" -#: js/update.js:14 +#: js/update.js:17 msgid "" "The update was unsuccessful. Please report this issue to the ownCloud " "community." msgstr "La actualización ha fracasado. Por favor, informe de este problema a la Comunidad de ownCloud." -#: js/update.js:18 +#: js/update.js:21 msgid "The update was successful. Redirecting you to ownCloud now." msgstr "La actualización se ha realizado con éxito. Redireccionando a ownCloud ahora." @@ -472,7 +472,7 @@ msgstr "Acceso prohibido" msgid "Cloud not found" msgstr "No se encuentra la nube" -#: templates/altmail.php:2 +#: templates/altmail.php:4 #, php-format msgid "" "Hey there,\n" @@ -483,10 +483,6 @@ msgid "" "Cheers!" msgstr "Oye,⏎ sólo te hago saber que %s compartido %s contigo.⏎ Míralo: %s ⏎Disfrutalo!" -#: templates/altmail.php:7 templates/mail.php:24 -msgid "web services under your control" -msgstr "Servicios web bajo su control" - #: templates/edit_categories_dialog.php:4 msgid "Edit categories" msgstr "Editar categorías" @@ -618,7 +614,7 @@ msgstr "Entrar" msgid "Alternative Logins" msgstr "Inicios de sesión alternativos" -#: templates/mail.php:15 +#: templates/mail.php:16 #, php-format msgid "" "Hey there,

    just letting you know that %s shared »%s« with you.
    , 2013 # ggam , 2013 # mikelanabitarte , 2013 +# qdneren , 2013 # saskarip , 2013 msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:12+0200\n" -"PO-Revision-Date: 2013-07-04 10:40+0000\n" -"Last-Translator: mikelanabitarte \n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:04+0000\n" +"Last-Translator: I Robot \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" @@ -31,54 +32,54 @@ msgstr "No se pudo mover %s - Un archivo con ese nombre ya existe." msgid "Could not move %s" msgstr "No se pudo mover %s" -#: ajax/upload.php:16 ajax/upload.php:39 +#: ajax/upload.php:16 ajax/upload.php:45 msgid "Unable to set upload directory." msgstr "Incapaz de crear directorio de subida." -#: ajax/upload.php:23 +#: ajax/upload.php:22 msgid "Invalid Token" msgstr "Token Inválido" -#: ajax/upload.php:55 +#: ajax/upload.php:59 msgid "No file was uploaded. Unknown error" msgstr "No se subió ningún archivo. Error desconocido" -#: ajax/upload.php:62 +#: ajax/upload.php:66 msgid "There is no error, the file uploaded with success" msgstr "No hay ningún error, el archivo se ha subido con éxito" -#: ajax/upload.php:63 +#: ajax/upload.php:67 msgid "" "The uploaded file exceeds the upload_max_filesize directive in php.ini: " msgstr "El archivo subido sobrepasa la directiva upload_max_filesize en php.ini" -#: ajax/upload.php:65 +#: ajax/upload.php:69 msgid "" "The uploaded file exceeds the MAX_FILE_SIZE directive that was specified in " "the HTML form" msgstr "El archivo subido sobrepasa la directiva MAX_FILE_SIZE especificada en el formulario HTML" -#: ajax/upload.php:66 +#: ajax/upload.php:70 msgid "The uploaded file was only partially uploaded" msgstr "El archivo subido fue sólo subido parcialmente" -#: ajax/upload.php:67 +#: ajax/upload.php:71 msgid "No file was uploaded" msgstr "No se subió ningún archivo" -#: ajax/upload.php:68 +#: ajax/upload.php:72 msgid "Missing a temporary folder" msgstr "Falta la carpeta temporal" -#: ajax/upload.php:69 +#: ajax/upload.php:73 msgid "Failed to write to disk" msgstr "Falló al escribir al disco" -#: ajax/upload.php:87 +#: ajax/upload.php:91 msgid "Not enough storage available" msgstr "No hay suficiente espacio disponible" -#: ajax/upload.php:119 +#: ajax/upload.php:123 msgid "Invalid directory." msgstr "Directorio inválido." @@ -132,43 +133,43 @@ msgstr "Eliminar" msgid "Rename" msgstr "Renombrar" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:464 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:465 msgid "Pending" msgstr "Pendiente" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "{new_name} already exists" msgstr "{new_name} ya existe" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "replace" msgstr "reemplazar" -#: js/filelist.js:302 +#: js/filelist.js:303 msgid "suggest name" msgstr "sugerir nombre" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "cancel" msgstr "cancelar" -#: js/filelist.js:349 +#: js/filelist.js:350 msgid "replaced {new_name} with {old_name}" msgstr "reemplazado {new_name} con {old_name}" -#: js/filelist.js:349 +#: js/filelist.js:350 msgid "undo" msgstr "deshacer" -#: js/filelist.js:374 +#: js/filelist.js:375 msgid "perform delete operation" msgstr "Realizar operación de borrado" -#: js/filelist.js:456 +#: js/filelist.js:457 msgid "1 file uploading" msgstr "subiendo 1 archivo" -#: js/filelist.js:459 js/filelist.js:517 +#: js/filelist.js:460 js/filelist.js:518 msgid "files uploading" msgstr "subiendo archivos" @@ -216,19 +217,19 @@ msgstr "Tamaño" msgid "Modified" msgstr "Modificado" -#: js/files.js:765 +#: js/files.js:763 msgid "1 folder" msgstr "1 carpeta" -#: js/files.js:767 +#: js/files.js:765 msgid "{count} folders" msgstr "{count} carpetas" -#: js/files.js:775 +#: js/files.js:773 msgid "1 file" msgstr "1 archivo" -#: js/files.js:777 +#: js/files.js:775 msgid "{count} files" msgstr "{count} archivos" @@ -331,19 +332,19 @@ msgstr "Los archivos están siendo escaneados, por favor espere." msgid "Current scanning" msgstr "Escaneo actual" -#: templates/part.list.php:78 +#: templates/part.list.php:74 msgid "directory" msgstr "carpeta" -#: templates/part.list.php:80 +#: templates/part.list.php:76 msgid "directories" msgstr "carpetas" -#: templates/part.list.php:89 +#: templates/part.list.php:85 msgid "file" msgstr "archivo" -#: templates/part.list.php:91 +#: templates/part.list.php:87 msgid "files" msgstr "archivos" diff --git a/l10n/es/files_encryption.po b/l10n/es/files_encryption.po index ad8f78863b..fbcbc4e2fe 100644 --- a/l10n/es/files_encryption.po +++ b/l10n/es/files_encryption.po @@ -6,6 +6,7 @@ # asaez , 2013 # gmoriello , 2013 # mikelanabitarte , 2013 +# Korrosivo , 2013 # saskarip , 2013 # William Díaz , 2013 # xhiena , 2013 @@ -13,9 +14,9 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:12+0200\n" -"PO-Revision-Date: 2013-07-05 00:13+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-07-08 02:02+0200\n" +"PO-Revision-Date: 2013-07-07 07:50+0000\n" +"Last-Translator: Korrosivo \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" @@ -65,18 +66,18 @@ msgid "" "ownCloud system (e.g. your corporate directory). You can update your private" " key password in your personal settings to recover access to your encrypted " "files." -msgstr "¡Su clave privada no es válida! Tal vez su contraseña ha sido cambiada desde fuera. Puede actualizar la contraseña de su clave privada en sus opciones personales para recuperar el acceso a sus ficheros." +msgstr "¡Su clave privada no es válida! Tal vez su contraseña ha sido cambiada desde fuera. Puede actualizar su clave privada en sus opciones personales para recuperar el acceso a sus ficheros." #: hooks/hooks.php:44 msgid "Missing requirements." -msgstr "" +msgstr "Requisitos incompletos." #: hooks/hooks.php:45 msgid "" "Please make sure that PHP 5.3.3 or newer is installed and that the OpenSSL " "PHP extension is enabled and configured properly. For now, the encryption " "app has been disabled." -msgstr "" +msgstr "Por favor, asegúrese de que PHP 5.3.3 o posterior está instalado y que la extensión OpenSSL de PHP está habilitada y configurada correctamente. Por el momento, la aplicación de cifrado ha sido deshabilitada." #: js/settings-admin.js:11 msgid "Saving..." @@ -123,11 +124,11 @@ msgstr "Cambiar la contraseña de la clave de recuperación" #: templates/settings-admin.php:41 msgid "Old Recovery key password" -msgstr "Contraseña de la antigua clave de recuperación" +msgstr "Antigua clave de recuperación" #: templates/settings-admin.php:48 msgid "New Recovery key password" -msgstr "Contraseña de la nueva clave de recuperación" +msgstr "Nueva clave de recuperación" #: templates/settings-admin.php:53 msgid "Change Password" diff --git a/l10n/es/files_external.po b/l10n/es/files_external.po index 02e039f73e..6ffa1327ba 100644 --- a/l10n/es/files_external.po +++ b/l10n/es/files_external.po @@ -3,13 +3,14 @@ # This file is distributed under the same license as the PACKAGE package. # # Translators: +# Korrosivo , 2013 msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" +"Last-Translator: Korrosivo \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" @@ -19,7 +20,7 @@ msgstr "" #: js/dropbox.js:7 js/dropbox.js:28 js/google.js:16 js/google.js:34 msgid "Access granted" -msgstr "Acceso garantizado" +msgstr "Acceso concedido" #: js/dropbox.js:30 js/dropbox.js:96 js/dropbox.js:102 msgid "Error configuring Dropbox storage" @@ -27,35 +28,35 @@ msgstr "Error configurando el almacenamiento de Dropbox" #: js/dropbox.js:65 js/google.js:66 msgid "Grant access" -msgstr "Garantizar acceso" +msgstr "Conceder acceso" #: js/dropbox.js:101 msgid "Please provide a valid Dropbox app key and secret." -msgstr "Por favor , proporcione un secreto y una contraseña válida de la app Dropbox." +msgstr "Por favor, proporcione un una clave válida de la app Dropbox y una clave secreta." #: js/google.js:36 js/google.js:93 msgid "Error configuring Google Drive storage" msgstr "Error configurando el almacenamiento de Google Drive" -#: lib/config.php:431 +#: lib/config.php:447 msgid "" "Warning: \"smbclient\" is not installed. Mounting of CIFS/SMB shares " "is not possible. Please ask your system administrator to install it." msgstr "Advertencia: El cliente smb (smbclient) no se encuentra instalado. El montado de archivos o ficheros CIFS/SMB no es posible. Por favor pida al administrador de su sistema que lo instale." -#: lib/config.php:434 +#: lib/config.php:450 msgid "" "Warning: The FTP support in PHP is not enabled or installed. Mounting" " of FTP shares is not possible. Please ask your system administrator to " "install it." msgstr "Advertencia: El soporte de FTP en PHP no se encuentra instalado. El montado de archivos o ficheros FTP no es posible. Por favor pida al administrador de su sistema que lo instale." -#: lib/config.php:437 +#: lib/config.php:453 msgid "" "Warning: The Curl support in PHP is not enabled or installed. " "Mounting of ownCloud / WebDAV or GoogleDrive is not possible. Please ask " "your system administrator to install it." -msgstr "Advertencia: El soporte de Curl en PHP no está activado ni instalado. El montado de ownCloud, WebDAV o GoogleDrive no es posible. Pida al administrador de su sistema que lo instale." +msgstr "Advertencia: El soporte de Curl en PHP no está activado ni instalado. El montado de ownCloud, WebDAV o GoogleDrive no es posible. Pida al administrador de su sistema que lo instale." #: templates/settings.php:3 msgid "External Storage" @@ -108,7 +109,7 @@ msgstr "Eliminar" #: templates/settings.php:129 msgid "Enable User External Storage" -msgstr "Habilitar almacenamiento de usuario externo" +msgstr "Habilitar almacenamiento externo de usuario" #: templates/settings.php:130 msgid "Allow users to mount their own external storage" @@ -116,7 +117,7 @@ msgstr "Permitir a los usuarios montar su propio almacenamiento externo" #: templates/settings.php:141 msgid "SSL root certificates" -msgstr "Raíz de certificados SSL " +msgstr "Certificados raíz SSL" #: templates/settings.php:159 msgid "Import Root Certificate" diff --git a/l10n/es/files_sharing.po b/l10n/es/files_sharing.po index 6b28c9cbe1..6aaaffdefa 100644 --- a/l10n/es/files_sharing.po +++ b/l10n/es/files_sharing.po @@ -3,13 +3,14 @@ # This file is distributed under the same license as the PACKAGE package. # # Translators: +# Korrosivo , 2013 msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:13+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" +"Last-Translator: Korrosivo \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" @@ -19,7 +20,7 @@ msgstr "" #: templates/authenticate.php:4 msgid "The password is wrong. Try again." -msgstr "" +msgstr "La contraseña introducida es errónea. Inténtelo de nuevo." #: templates/authenticate.php:7 msgid "Password" @@ -39,18 +40,18 @@ msgstr "%s compartió la carpeta %s contigo" msgid "%s shared the file %s with you" msgstr "%s compartió el fichero %s contigo" -#: templates/public.php:28 templates/public.php:86 +#: templates/public.php:28 templates/public.php:90 msgid "Download" msgstr "Descargar" -#: templates/public.php:44 +#: templates/public.php:45 templates/public.php:48 msgid "Upload" msgstr "Subir" -#: templates/public.php:54 +#: templates/public.php:58 msgid "Cancel upload" msgstr "Cancelar subida" -#: templates/public.php:83 +#: templates/public.php:87 msgid "No preview available for" msgstr "No hay vista previa disponible para" diff --git a/l10n/es/files_trashbin.po b/l10n/es/files_trashbin.po index f8f5c9acdf..8e4f51795b 100644 --- a/l10n/es/files_trashbin.po +++ b/l10n/es/files_trashbin.po @@ -3,13 +3,14 @@ # This file is distributed under the same license as the PACKAGE package. # # Translators: +# Korrosivo , 2013 msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" +"Last-Translator: Korrosivo \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,7 +30,7 @@ msgstr "No se puede restaurar %s" #: js/trash.js:7 js/trash.js:97 msgid "perform restore operation" -msgstr "Restaurar" +msgstr "restaurar" #: js/trash.js:19 js/trash.js:46 js/trash.js:115 js/trash.js:141 msgid "Error" @@ -37,7 +38,7 @@ msgstr "Error" #: js/trash.js:34 msgid "delete file permanently" -msgstr "Eliminar archivo permanentemente" +msgstr "eliminar archivo permanentemente" #: js/trash.js:123 msgid "Delete permanently" diff --git a/l10n/es/files_versions.po b/l10n/es/files_versions.po index 89307a3c01..1277356dd1 100644 --- a/l10n/es/files_versions.po +++ b/l10n/es/files_versions.po @@ -7,9 +7,9 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-05-25 02:01+0200\n" -"PO-Revision-Date: 2013-05-24 13:28+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-07-08 02:02+0200\n" +"PO-Revision-Date: 2013-07-07 07:42+0000\n" +"Last-Translator: Korrosivo \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" diff --git a/l10n/es/lib.po b/l10n/es/lib.po index e0ddadc6f7..4d7f653565 100644 --- a/l10n/es/lib.po +++ b/l10n/es/lib.po @@ -8,8 +8,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:13+0000\n" +"POT-Creation-Date: 2013-07-24 01:55-0400\n" +"PO-Revision-Date: 2013-07-24 05:55+0000\n" "Last-Translator: I Robot \n" "Language-Team: Spanish (http://www.transifex.com/projects/p/owncloud/language/es/)\n" "MIME-Version: 1.0\n" @@ -42,27 +42,43 @@ msgstr "Aplicaciones" msgid "Admin" msgstr "Administración" -#: defaults.php:33 -msgid "web services under your control" +#: app.php:844 +#, php-format +msgid "Failed to upgrade \"%s\"." msgstr "" -#: files.php:210 +#: defaults.php:33 +msgid "web services under your control" +msgstr "Servicios web bajo su control" + +#: files.php:66 files.php:98 +#, php-format +msgid "cannot open \"%s\"" +msgstr "" + +#: files.php:226 msgid "ZIP download is turned off." msgstr "La descarga en ZIP está desactivada." -#: files.php:211 +#: files.php:227 msgid "Files need to be downloaded one by one." msgstr "Los archivos deben ser descargados uno por uno." -#: files.php:212 files.php:245 +#: files.php:228 files.php:256 msgid "Back to Files" msgstr "Volver a Archivos" -#: files.php:242 +#: files.php:253 msgid "Selected files too large to generate zip file." msgstr "Los archivos seleccionados son demasiado grandes para generar el archivo zip." -#: helper.php:236 +#: files.php:254 +msgid "" +"Download the files in smaller chunks, seperately or kindly ask your " +"administrator." +msgstr "" + +#: helper.php:235 msgid "couldn't be determined" msgstr "no pudo ser determinado" @@ -171,77 +187,81 @@ msgstr "Comando infractor: \"%s\", nombre: %s, contraseña: %s" msgid "PostgreSQL username and/or password not valid" msgstr "Usuario y/o contraseña de PostgreSQL no válidos" -#: setup.php:42 +#: setup.php:28 msgid "Set an admin username." msgstr "Configurar un nombre de usuario del administrador" -#: setup.php:45 +#: setup.php:31 msgid "Set an admin password." msgstr "Configurar la contraseña del administrador." -#: setup.php:198 +#: setup.php:184 msgid "" "Your web server is not yet properly setup to allow files synchronization " "because the WebDAV interface seems to be broken." msgstr "Su servidor web aún no está configurado adecuadamente para permitir sincronización de archivos ya que la interfaz WebDAV parece no estar funcionando." -#: setup.php:199 +#: setup.php:185 #, php-format msgid "Please double check the installation guides." msgstr "Por favor, vuelva a comprobar las guías de instalación." -#: template.php:113 +#: template/functions.php:80 msgid "seconds ago" msgstr "hace segundos" -#: template.php:114 +#: template/functions.php:81 msgid "1 minute ago" msgstr "hace 1 minuto" -#: template.php:115 +#: template/functions.php:82 #, php-format msgid "%d minutes ago" msgstr "hace %d minutos" -#: template.php:116 +#: template/functions.php:83 msgid "1 hour ago" msgstr "Hace 1 hora" -#: template.php:117 +#: template/functions.php:84 #, php-format msgid "%d hours ago" msgstr "Hace %d horas" -#: template.php:118 +#: template/functions.php:85 msgid "today" msgstr "hoy" -#: template.php:119 +#: template/functions.php:86 msgid "yesterday" msgstr "ayer" -#: template.php:120 +#: template/functions.php:87 #, php-format msgid "%d days ago" msgstr "hace %d días" -#: template.php:121 +#: template/functions.php:88 msgid "last month" msgstr "mes pasado" -#: template.php:122 +#: template/functions.php:89 #, php-format msgid "%d months ago" msgstr "Hace %d meses" -#: template.php:123 +#: template/functions.php:90 msgid "last year" msgstr "año pasado" -#: template.php:124 +#: template/functions.php:91 msgid "years ago" msgstr "hace años" +#: template.php:296 +msgid "Caused by:" +msgstr "" + #: vcategories.php:188 vcategories.php:249 #, php-format msgid "Could not find category \"%s\"" diff --git a/l10n/es/settings.po b/l10n/es/settings.po index 81c4fc1fab..fb5c32f286 100644 --- a/l10n/es/settings.po +++ b/l10n/es/settings.po @@ -5,14 +5,15 @@ # Translators: # Art O. Pal , 2013 # ggam , 2013 +# qdneren , 2013 # saskarip , 2013 # scambra , 2013 msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:55+0000\n" "Last-Translator: I Robot \n" "Language-Team: Spanish (http://www.transifex.com/projects/p/owncloud/language/es/)\n" "MIME-Version: 1.0\n" @@ -277,62 +278,71 @@ msgstr "Permitir enlaces" msgid "Allow users to share items to the public with links" msgstr "Permitir a los usuarios compartir elementos al público con enlaces" -#: templates/admin.php:152 +#: templates/admin.php:153 +msgid "Allow public uploads" +msgstr "" + +#: templates/admin.php:154 +msgid "" +"Allow users to enable others to upload into their publicly shared folders" +msgstr "" + +#: templates/admin.php:162 msgid "Allow resharing" msgstr "Permitir re-compartición" -#: templates/admin.php:153 +#: templates/admin.php:163 msgid "Allow users to share items shared with them again" msgstr "Permitir a los usuarios compartir elementos ya compartidos con ellos mismos" -#: templates/admin.php:160 +#: templates/admin.php:170 msgid "Allow users to share with anyone" msgstr "Permitir a los usuarios compartir con todo el mundo" -#: templates/admin.php:163 +#: templates/admin.php:173 msgid "Allow users to only share with users in their groups" msgstr "Permitir a los usuarios compartir sólo con los usuarios en sus grupos" -#: templates/admin.php:170 +#: templates/admin.php:180 msgid "Security" msgstr "Seguridad" -#: templates/admin.php:183 +#: templates/admin.php:193 msgid "Enforce HTTPS" msgstr "Forzar HTTPS" -#: templates/admin.php:184 +#: templates/admin.php:194 msgid "" "Enforces the clients to connect to ownCloud via an encrypted connection." msgstr "Fuerza la conexión de los clientes a ownCloud con una conexión cifrada." -#: templates/admin.php:187 +#: templates/admin.php:197 msgid "" "Please connect to this ownCloud instance via HTTPS to enable or disable the " "SSL enforcement." msgstr "Por favor, conecte esta instancia de ownCloud vía HTTPS para activar o desactivar la aplicación de SSL." -#: templates/admin.php:197 +#: templates/admin.php:207 msgid "Log" msgstr "Registro" -#: templates/admin.php:198 +#: templates/admin.php:208 msgid "Log level" msgstr "Nivel de registro" -#: templates/admin.php:229 +#: templates/admin.php:239 msgid "More" msgstr "Más" -#: templates/admin.php:230 +#: templates/admin.php:240 msgid "Less" msgstr "Menos" -#: templates/admin.php:236 templates/personal.php:116 +#: templates/admin.php:246 templates/personal.php:116 msgid "Version" msgstr "Versión" -#: templates/admin.php:240 templates/personal.php:119 +#: templates/admin.php:250 templates/personal.php:119 msgid "" "Developed by the ownCloud community, the access your Files via WebDAV" +msgstr "Utilice esta dirección paraacceder a sus archivos a través de WebDAV" #: templates/users.php:21 msgid "Login Name" diff --git a/l10n/es/user_ldap.po b/l10n/es/user_ldap.po index cedba92b30..193a9bc0e8 100644 --- a/l10n/es/user_ldap.po +++ b/l10n/es/user_ldap.po @@ -10,8 +10,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: xhiena \n" "Language-Team: Spanish (http://www.transifex.com/projects/p/owncloud/language/es/)\n" "MIME-Version: 1.0\n" diff --git a/l10n/es/user_webdavauth.po b/l10n/es/user_webdavauth.po index 5d60f41af1..38bc6e5bb7 100644 --- a/l10n/es/user_webdavauth.po +++ b/l10n/es/user_webdavauth.po @@ -6,14 +6,14 @@ # Agustin Ferrario , 2013 # Art O. Pal , 2012 # pggx999 , 2012 -# saskarip, 2013 +# saskarip , 2013 msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-06-17 02:02+0200\n" -"PO-Revision-Date: 2013-06-16 07:50+0000\n" -"Last-Translator: saskarip\n" +"POT-Creation-Date: 2013-07-08 02:02+0200\n" +"PO-Revision-Date: 2013-07-07 08:08+0000\n" +"Last-Translator: Korrosivo \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" diff --git a/l10n/es_AR/core.po b/l10n/es_AR/core.po index 39ffb3e499..8221adba9d 100644 --- a/l10n/es_AR/core.po +++ b/l10n/es_AR/core.po @@ -8,9 +8,9 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:12+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:04+0000\n" +"Last-Translator: cjtess \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" @@ -138,59 +138,59 @@ msgstr "noviembre" msgid "December" msgstr "diciembre" -#: js/js.js:289 +#: js/js.js:293 msgid "Settings" msgstr "Configuración" -#: js/js.js:721 +#: js/js.js:715 msgid "seconds ago" msgstr "segundos atrás" -#: js/js.js:722 +#: js/js.js:716 msgid "1 minute ago" msgstr "hace 1 minuto" -#: js/js.js:723 +#: js/js.js:717 msgid "{minutes} minutes ago" msgstr "hace {minutes} minutos" -#: js/js.js:724 +#: js/js.js:718 msgid "1 hour ago" msgstr "1 hora atrás" -#: js/js.js:725 +#: js/js.js:719 msgid "{hours} hours ago" msgstr "hace {hours} horas" -#: js/js.js:726 +#: js/js.js:720 msgid "today" msgstr "hoy" -#: js/js.js:727 +#: js/js.js:721 msgid "yesterday" msgstr "ayer" -#: js/js.js:728 +#: js/js.js:722 msgid "{days} days ago" msgstr "hace {days} días" -#: js/js.js:729 +#: js/js.js:723 msgid "last month" msgstr "el mes pasado" -#: js/js.js:730 +#: js/js.js:724 msgid "{months} months ago" msgstr "{months} meses atrás" -#: js/js.js:731 +#: js/js.js:725 msgid "months ago" msgstr "meses atrás" -#: js/js.js:732 +#: js/js.js:726 msgid "last year" msgstr "el año pasado" -#: js/js.js:733 +#: js/js.js:727 msgid "years ago" msgstr "años atrás" @@ -226,8 +226,8 @@ msgstr "El tipo de objeto no está especificado. " #: js/oc-vcategories.js:14 js/oc-vcategories.js:80 js/oc-vcategories.js:95 #: js/oc-vcategories.js:110 js/oc-vcategories.js:125 js/oc-vcategories.js:136 #: js/oc-vcategories.js:172 js/oc-vcategories.js:189 js/oc-vcategories.js:195 -#: js/oc-vcategories.js:199 js/share.js:136 js/share.js:143 js/share.js:618 -#: js/share.js:630 +#: js/oc-vcategories.js:199 js/share.js:136 js/share.js:143 js/share.js:625 +#: js/share.js:637 msgid "Error" msgstr "Error" @@ -247,7 +247,7 @@ msgstr "Compartido" msgid "Share" msgstr "Compartir" -#: js/share.js:125 js/share.js:658 +#: js/share.js:125 js/share.js:665 msgid "Error while sharing" msgstr "Error al compartir" @@ -267,114 +267,114 @@ msgstr "Compartido con vos y el grupo {group} por {owner}" msgid "Shared with you by {owner}" msgstr "Compartido con vos por {owner}" -#: js/share.js:172 +#: js/share.js:177 msgid "Share with" msgstr "Compartir con" -#: js/share.js:177 +#: js/share.js:182 msgid "Share with link" msgstr "Compartir con enlace" -#: js/share.js:180 +#: js/share.js:185 msgid "Password protect" msgstr "Proteger con contraseña " -#: js/share.js:182 templates/installation.php:54 templates/login.php:26 +#: js/share.js:187 templates/installation.php:54 templates/login.php:26 msgid "Password" msgstr "Contraseña" -#: js/share.js:186 +#: js/share.js:192 msgid "Allow Public Upload" -msgstr "" +msgstr "Permitir Subida Pública" -#: js/share.js:189 +#: js/share.js:196 msgid "Email link to person" msgstr "Enviar el enlace por e-mail." -#: js/share.js:190 +#: js/share.js:197 msgid "Send" msgstr "Mandar" -#: js/share.js:195 +#: js/share.js:202 msgid "Set expiration date" msgstr "Asignar fecha de vencimiento" -#: js/share.js:196 +#: js/share.js:203 msgid "Expiration date" msgstr "Fecha de vencimiento" -#: js/share.js:228 +#: js/share.js:235 msgid "Share via email:" msgstr "Compartir a través de e-mail:" -#: js/share.js:230 +#: js/share.js:237 msgid "No people found" msgstr "No se encontraron usuarios" -#: js/share.js:268 +#: js/share.js:275 msgid "Resharing is not allowed" msgstr "No se permite volver a compartir" -#: js/share.js:304 +#: js/share.js:311 msgid "Shared in {item} with {user}" msgstr "Compartido en {item} con {user}" -#: js/share.js:325 +#: js/share.js:332 msgid "Unshare" msgstr "Dejar de compartir" -#: js/share.js:337 +#: js/share.js:344 msgid "can edit" msgstr "podés editar" -#: js/share.js:339 +#: js/share.js:346 msgid "access control" msgstr "control de acceso" -#: js/share.js:342 +#: js/share.js:349 msgid "create" msgstr "crear" -#: js/share.js:345 +#: js/share.js:352 msgid "update" msgstr "actualizar" -#: js/share.js:348 +#: js/share.js:355 msgid "delete" msgstr "borrar" -#: js/share.js:351 +#: js/share.js:358 msgid "share" msgstr "compartir" -#: js/share.js:385 js/share.js:605 +#: js/share.js:392 js/share.js:612 msgid "Password protected" msgstr "Protegido por contraseña" -#: js/share.js:618 +#: js/share.js:625 msgid "Error unsetting expiration date" msgstr "Error al remover la fecha de vencimiento" -#: js/share.js:630 +#: js/share.js:637 msgid "Error setting expiration date" msgstr "Error al asignar fecha de vencimiento" -#: js/share.js:645 +#: js/share.js:652 msgid "Sending ..." msgstr "Mandando..." -#: js/share.js:656 +#: js/share.js:663 msgid "Email sent" msgstr "e-mail mandado" -#: js/update.js:14 +#: js/update.js:17 msgid "" "The update was unsuccessful. Please report this issue to the ownCloud " "community." msgstr "La actualización no pudo ser completada. Por favor, reportá el inconveniente a la comunidad ownCloud." -#: js/update.js:18 +#: js/update.js:21 msgid "The update was successful. Redirecting you to ownCloud now." msgstr "La actualización fue exitosa. Estás siendo redirigido a ownCloud." @@ -466,7 +466,7 @@ msgstr "Acceso prohibido" msgid "Cloud not found" msgstr "No se encontró ownCloud" -#: templates/altmail.php:2 +#: templates/altmail.php:4 #, php-format msgid "" "Hey there,\n" @@ -477,10 +477,6 @@ msgid "" "Cheers!" msgstr "Hola,\n\nSimplemente te informo que %s compartió %s con vos.\nMiralo acá: %s\n\n¡Chau!" -#: templates/altmail.php:7 templates/mail.php:24 -msgid "web services under your control" -msgstr "servicios web que controlás" - #: templates/edit_categories_dialog.php:4 msgid "Edit categories" msgstr "Editar categorías" @@ -612,7 +608,7 @@ msgstr "Iniciar sesión" msgid "Alternative Logins" msgstr "Nombre alternativos de usuarios" -#: templates/mail.php:15 +#: templates/mail.php:16 #, php-format msgid "" "Hey there,

    just letting you know that %s shared »%s« with you.
    , 2013 +# cjtess , 2013 msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:12+0200\n" -"PO-Revision-Date: 2013-07-04 07:55+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:04+0000\n" "Last-Translator: I Robot \n" "Language-Team: Spanish (Argentina) (http://www.transifex.com/projects/p/owncloud/language/es_AR/)\n" "MIME-Version: 1.0\n" @@ -28,56 +29,56 @@ msgstr "No se pudo mover %s - Un archivo con este nombre ya existe" msgid "Could not move %s" msgstr "No se pudo mover %s " -#: ajax/upload.php:16 ajax/upload.php:39 +#: ajax/upload.php:16 ajax/upload.php:45 msgid "Unable to set upload directory." -msgstr "" +msgstr "No fue posible crear el directorio de subida." -#: ajax/upload.php:23 +#: ajax/upload.php:22 msgid "Invalid Token" -msgstr "" +msgstr "Token Inválido" -#: ajax/upload.php:55 +#: ajax/upload.php:59 msgid "No file was uploaded. Unknown error" msgstr "El archivo no fue subido. Error desconocido" -#: ajax/upload.php:62 +#: ajax/upload.php:66 msgid "There is no error, the file uploaded with success" msgstr "No hay errores, el archivo fue subido con éxito" -#: ajax/upload.php:63 +#: ajax/upload.php:67 msgid "" "The uploaded file exceeds the upload_max_filesize directive in php.ini: " msgstr "El archivo que intentás subir excede el tamaño definido por upload_max_filesize en el php.ini:" -#: ajax/upload.php:65 +#: ajax/upload.php:69 msgid "" "The uploaded file exceeds the MAX_FILE_SIZE directive that was specified in " "the HTML form" msgstr "El archivo subido sobrepasa el valor MAX_FILE_SIZE especificada en el formulario HTML" -#: ajax/upload.php:66 +#: ajax/upload.php:70 msgid "The uploaded file was only partially uploaded" msgstr "El archivo fue subido parcialmente" -#: ajax/upload.php:67 +#: ajax/upload.php:71 msgid "No file was uploaded" msgstr "No se subió ningún archivo " -#: ajax/upload.php:68 +#: ajax/upload.php:72 msgid "Missing a temporary folder" -msgstr "Error en la carpera temporal" +msgstr "Falta un directorio temporal" -#: ajax/upload.php:69 +#: ajax/upload.php:73 msgid "Failed to write to disk" msgstr "Error al escribir en el disco" -#: ajax/upload.php:87 +#: ajax/upload.php:91 msgid "Not enough storage available" -msgstr "No hay suficiente capacidad de almacenamiento" +msgstr "No hay suficiente almacenamiento" -#: ajax/upload.php:119 +#: ajax/upload.php:123 msgid "Invalid directory." -msgstr "Directorio invalido." +msgstr "Directorio inválido." #: appinfo/app.php:12 msgid "Files" @@ -106,7 +107,7 @@ msgstr "La URL no puede estar vacía" #: js/file-upload.js:238 lib/app.php:53 msgid "Invalid folder name. Usage of 'Shared' is reserved by ownCloud" -msgstr "Nombre de carpeta inválido. El uso de \"Shared\" está reservado por ownCloud" +msgstr "Nombre de directorio inválido. El uso de \"Shared\" está reservado por ownCloud" #: js/file-upload.js:267 js/file-upload.js:283 js/files.js:373 js/files.js:389 #: js/files.js:693 js/files.js:731 @@ -119,7 +120,7 @@ msgstr "Compartir" #: js/fileactions.js:126 msgid "Delete permanently" -msgstr "Borrar de manera permanente" +msgstr "Borrar permanentemente" #: js/fileactions.js:128 templates/index.php:93 templates/index.php:94 msgid "Delete" @@ -129,43 +130,43 @@ msgstr "Borrar" msgid "Rename" msgstr "Cambiar nombre" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:464 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:465 msgid "Pending" msgstr "Pendientes" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "{new_name} already exists" msgstr "{new_name} ya existe" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "replace" msgstr "reemplazar" -#: js/filelist.js:302 +#: js/filelist.js:303 msgid "suggest name" msgstr "sugerir nombre" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "cancel" msgstr "cancelar" -#: js/filelist.js:349 +#: js/filelist.js:350 msgid "replaced {new_name} with {old_name}" -msgstr "reemplazado {new_name} con {old_name}" +msgstr "se reemplazó {new_name} con {old_name}" -#: js/filelist.js:349 +#: js/filelist.js:350 msgid "undo" msgstr "deshacer" -#: js/filelist.js:374 +#: js/filelist.js:375 msgid "perform delete operation" -msgstr "Eliminar" +msgstr "Llevar a cabo borrado" -#: js/filelist.js:456 +#: js/filelist.js:457 msgid "1 file uploading" msgstr "Subiendo 1 archivo" -#: js/filelist.js:459 js/filelist.js:517 +#: js/filelist.js:460 js/filelist.js:518 msgid "files uploading" msgstr "Subiendo archivos" @@ -195,7 +196,7 @@ msgstr "El almacenamiento está casi lleno ({usedSpacePercent}%)" msgid "" "Your download is being prepared. This might take some time if the files are " "big." -msgstr "Tu descarga esta siendo preparada. Esto puede tardar algun tiempo si los archivos son muy grandes." +msgstr "Tu descarga se está preparando. Esto puede demorar si los archivos son muy grandes." #: js/files.js:344 msgid "Invalid folder name. Usage of 'Shared' is reserved by Owncloud" @@ -213,26 +214,26 @@ msgstr "Tamaño" msgid "Modified" msgstr "Modificado" -#: js/files.js:765 +#: js/files.js:763 msgid "1 folder" msgstr "1 directorio" -#: js/files.js:767 +#: js/files.js:765 msgid "{count} folders" msgstr "{count} directorios" -#: js/files.js:775 +#: js/files.js:773 msgid "1 file" msgstr "1 archivo" -#: js/files.js:777 +#: js/files.js:775 msgid "{count} files" msgstr "{count} archivos" #: lib/app.php:73 #, php-format msgid "%s could not be renamed" -msgstr "" +msgstr "No se pudo renombrar %s" #: lib/helper.php:11 templates/index.php:18 msgid "Upload" @@ -252,7 +253,7 @@ msgstr "máx. posible:" #: templates/admin.php:15 msgid "Needed for multi-file and folder downloads." -msgstr "Es necesario para descargas multi-archivo y de carpetas" +msgstr "Es necesario para descargas multi-archivo y de directorios." #: templates/admin.php:17 msgid "Enable ZIP-download" @@ -288,7 +289,7 @@ msgstr "Desde enlace" #: templates/index.php:42 msgid "Deleted files" -msgstr "Archivos Borrados" +msgstr "Archivos borrados" #: templates/index.php:48 msgid "Cancel upload" @@ -328,19 +329,19 @@ msgstr "Se están escaneando los archivos, por favor esperá." msgid "Current scanning" msgstr "Escaneo actual" -#: templates/part.list.php:78 +#: templates/part.list.php:74 msgid "directory" -msgstr "" +msgstr "directorio" -#: templates/part.list.php:80 +#: templates/part.list.php:76 msgid "directories" -msgstr "" +msgstr "directorios" -#: templates/part.list.php:89 +#: templates/part.list.php:85 msgid "file" msgstr "archivo" -#: templates/part.list.php:91 +#: templates/part.list.php:87 msgid "files" msgstr "archivos" diff --git a/l10n/es_AR/files_encryption.po b/l10n/es_AR/files_encryption.po index f52bef53bf..68fee9017f 100644 --- a/l10n/es_AR/files_encryption.po +++ b/l10n/es_AR/files_encryption.po @@ -8,9 +8,9 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:12+0200\n" -"PO-Revision-Date: 2013-07-05 00:13+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-07-19 01:55-0400\n" +"PO-Revision-Date: 2013-07-18 12:20+0000\n" +"Last-Translator: cjtess \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" @@ -52,7 +52,7 @@ msgstr "Contraseña de clave privada actualizada con éxito." msgid "" "Could not update the private key password. Maybe the old password was not " "correct." -msgstr "No fue posible actualizar la contraseña de la clave privada. Tal vez la contraseña antigua no es correcta." +msgstr "No fue posible actualizar la contraseña de clave privada. Tal vez la contraseña anterior no es correcta." #: files/error.php:7 msgid "" @@ -60,18 +60,18 @@ msgid "" "ownCloud system (e.g. your corporate directory). You can update your private" " key password in your personal settings to recover access to your encrypted " "files." -msgstr "" +msgstr "¡Tu clave privada no es válida! Tal vez tu contraseña fue cambiada desde fuera del sistema de ownCloud (por ej. desde tu cuenta de sistema). Podés actualizar tu clave privada en la sección de \"configuración personal\", para recuperar el acceso a tus archivos." #: hooks/hooks.php:44 msgid "Missing requirements." -msgstr "" +msgstr "Requisitos incompletos." #: hooks/hooks.php:45 msgid "" "Please make sure that PHP 5.3.3 or newer is installed and that the OpenSSL " "PHP extension is enabled and configured properly. For now, the encryption " "app has been disabled." -msgstr "" +msgstr "Por favor, asegurate que PHP 5.3.3 o posterior esté instalado y que la extensión OpenSSL de PHP esté habilitada y configurada correctamente. Por el momento, la aplicación de encriptación está deshabilitada." #: js/settings-admin.js:11 msgid "Saving..." @@ -98,7 +98,7 @@ msgstr "Encriptación" #: templates/settings-admin.php:10 msgid "" "Enable recovery key (allow to recover users files in case of password loss):" -msgstr "Habilitar clave de recuperación (te permite recuperar los archivos de usuario en el caso en que pierdas la contraseña):" +msgstr "Habilitar clave de recuperación (te permite recuperar los archivos de usuario en el caso que pierdas la contraseña):" #: templates/settings-admin.php:14 msgid "Recovery key password" @@ -130,11 +130,11 @@ msgstr "Cambiar contraseña" #: templates/settings-personal.php:11 msgid "Your private key password no longer match your log-in password:" -msgstr "Tu contraseña de recuperación de clave ya no coincide con la contraseña de ingreso:" +msgstr "Tu contraseña de clave privada ya no coincide con la contraseña de ingreso:" #: templates/settings-personal.php:14 msgid "Set your old private key password to your current log-in password." -msgstr "Usá tu contraseña de recuperación de clave antigua para tu contraseña de ingreso actual." +msgstr "Usá tu contraseña de clave privada antigua para tu contraseña de ingreso actual." #: templates/settings-personal.php:16 msgid "" @@ -156,13 +156,13 @@ msgstr "Actualizar contraseña de la clave privada" #: templates/settings-personal.php:45 msgid "Enable password recovery:" -msgstr "Habilitar contraseña de recuperación:" +msgstr "Habilitar recuperación de contraseña:" #: templates/settings-personal.php:47 msgid "" "Enabling this option will allow you to reobtain access to your encrypted " "files in case of password loss" -msgstr "Habilitando esta opción te va a permitir tener acceso a tus archivos encriptados incluso si perdés la contraseña" +msgstr "Habilitando esta opción, vas a tener acceso a tus archivos encriptados, incluso si perdés la contraseña" #: templates/settings-personal.php:63 msgid "File recovery settings updated" diff --git a/l10n/es_AR/files_external.po b/l10n/es_AR/files_external.po index e768d7eed3..91783cd365 100644 --- a/l10n/es_AR/files_external.po +++ b/l10n/es_AR/files_external.po @@ -8,8 +8,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: cjtess \n" "Language-Team: Spanish (Argentina) (http://www.transifex.com/projects/p/owncloud/language/es_AR/)\n" "MIME-Version: 1.0\n" @@ -38,25 +38,25 @@ msgstr "Por favor, proporcioná un secreto y una contraseña válida para la apl msgid "Error configuring Google Drive storage" msgstr "Error al configurar el almacenamiento de Google Drive" -#: lib/config.php:431 +#: lib/config.php:447 msgid "" "Warning: \"smbclient\" is not installed. Mounting of CIFS/SMB shares " "is not possible. Please ask your system administrator to install it." -msgstr "Advertencia: El cliente smb (smbclient) no se encuentra instalado. El montado de archivos o ficheros CIFS/SMB no es posible. Por favor pida al administrador de su sistema que lo instale." +msgstr "Advertencia: El cliente smb \"smbclient\" no está instalado. Montar archivos CIFS/SMB no es posible. Por favor, pedile al administrador de tu sistema que lo instale." -#: lib/config.php:434 +#: lib/config.php:450 msgid "" "Warning: The FTP support in PHP is not enabled or installed. Mounting" " of FTP shares is not possible. Please ask your system administrator to " "install it." -msgstr "Advertencia: El soporte de FTP en PHP no se encuentra instalado. El montado de archivos o ficheros FTP no es posible. Por favor pida al administrador de su sistema que lo instale." +msgstr "Advertencia: El soporte de FTP en PHP no está instalado. Montar archivos FTP no es posible. Por favor, pedile al administrador de tu sistema que lo instale." -#: lib/config.php:437 +#: lib/config.php:453 msgid "" "Warning: The Curl support in PHP is not enabled or installed. " "Mounting of ownCloud / WebDAV or GoogleDrive is not possible. Please ask " "your system administrator to install it." -msgstr "Advertencia: El soporte de Curl de PHP no está activado ni instalado. Montar servicios ownCloud, WebDAV y/o GoogleDrive no será posible. Pedile al administrador del sistema que lo instale." +msgstr "Advertencia: El soporte de Curl de PHP no está activo ni instalado. Montar servicios ownCloud, WebDAV y/o GoogleDrive no será posible. Pedile al administrador del sistema que lo instale." #: templates/settings.php:3 msgid "External Storage" diff --git a/l10n/es_AR/files_sharing.po b/l10n/es_AR/files_sharing.po index 6894fbe0dc..c5f5deb302 100644 --- a/l10n/es_AR/files_sharing.po +++ b/l10n/es_AR/files_sharing.po @@ -3,13 +3,14 @@ # This file is distributed under the same license as the PACKAGE package. # # Translators: +# cjtess , 2013 msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:13+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" +"Last-Translator: cjtess \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" @@ -19,7 +20,7 @@ msgstr "" #: templates/authenticate.php:4 msgid "The password is wrong. Try again." -msgstr "" +msgstr "La contraseña no es correcta. Probá de nuevo." #: templates/authenticate.php:7 msgid "Password" @@ -39,18 +40,18 @@ msgstr "%s compartió la carpeta %s con vos" msgid "%s shared the file %s with you" msgstr "%s compartió el archivo %s con vos" -#: templates/public.php:28 templates/public.php:86 +#: templates/public.php:28 templates/public.php:90 msgid "Download" msgstr "Descargar" -#: templates/public.php:44 +#: templates/public.php:45 templates/public.php:48 msgid "Upload" msgstr "Subir" -#: templates/public.php:54 +#: templates/public.php:58 msgid "Cancel upload" msgstr "Cancelar subida" -#: templates/public.php:83 +#: templates/public.php:87 msgid "No preview available for" msgstr "La vista preliminar no está disponible para" diff --git a/l10n/es_AR/files_trashbin.po b/l10n/es_AR/files_trashbin.po index 3c0f24f477..b1b2ddc47d 100644 --- a/l10n/es_AR/files_trashbin.po +++ b/l10n/es_AR/files_trashbin.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: I Robot \n" "Language-Team: Spanish (Argentina) (http://www.transifex.com/projects/p/owncloud/language/es_AR/)\n" "MIME-Version: 1.0\n" diff --git a/l10n/es_AR/lib.po b/l10n/es_AR/lib.po index 5b8d4b7e5c..0797fe2fa9 100644 --- a/l10n/es_AR/lib.po +++ b/l10n/es_AR/lib.po @@ -8,8 +8,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:13+0000\n" +"POT-Creation-Date: 2013-07-24 01:55-0400\n" +"PO-Revision-Date: 2013-07-24 05:55+0000\n" "Last-Translator: I Robot \n" "Language-Team: Spanish (Argentina) (http://www.transifex.com/projects/p/owncloud/language/es_AR/)\n" "MIME-Version: 1.0\n" @@ -36,35 +36,51 @@ msgstr "Usuarios" #: app.php:409 msgid "Apps" -msgstr "Aplicaciones" +msgstr "Apps" #: app.php:417 msgid "Admin" msgstr "Administración" -#: defaults.php:33 -msgid "web services under your control" +#: app.php:844 +#, php-format +msgid "Failed to upgrade \"%s\"." msgstr "" -#: files.php:210 +#: defaults.php:33 +msgid "web services under your control" +msgstr "servicios web sobre los que tenés control" + +#: files.php:66 files.php:98 +#, php-format +msgid "cannot open \"%s\"" +msgstr "" + +#: files.php:226 msgid "ZIP download is turned off." msgstr "La descarga en ZIP está desactivada." -#: files.php:211 +#: files.php:227 msgid "Files need to be downloaded one by one." msgstr "Los archivos deben ser descargados de a uno." -#: files.php:212 files.php:245 +#: files.php:228 files.php:256 msgid "Back to Files" -msgstr "Volver a archivos" +msgstr "Volver a Archivos" -#: files.php:242 +#: files.php:253 msgid "Selected files too large to generate zip file." msgstr "Los archivos seleccionados son demasiado grandes para generar el archivo zip." -#: helper.php:236 +#: files.php:254 +msgid "" +"Download the files in smaller chunks, seperately or kindly ask your " +"administrator." +msgstr "" + +#: helper.php:235 msgid "couldn't be determined" -msgstr "no pudo ser determinado" +msgstr "no se pudo determinar" #: json.php:28 msgid "Application is not enabled" @@ -93,17 +109,17 @@ msgstr "Imágenes" #: setup/abstractdatabase.php:22 #, php-format msgid "%s enter the database username." -msgstr "%s Entre el Usuario de la Base de Datos" +msgstr "%s Entrá el usuario de la base de datos" #: setup/abstractdatabase.php:25 #, php-format msgid "%s enter the database name." -msgstr "%s Entre el Nombre de la Base de Datos" +msgstr "%s Entrá el nombre de la base de datos." #: setup/abstractdatabase.php:28 #, php-format msgid "%s you may not use dots in the database name" -msgstr "%s no puede usar puntos en el nombre de la Base de Datos" +msgstr "%s no podés usar puntos en el nombre de la base de datos" #: setup/mssql.php:20 #, php-format @@ -113,7 +129,7 @@ msgstr "Nombre de usuario y contraseña de MS SQL no son válidas: %s" #: setup/mssql.php:21 setup/mysql.php:13 setup/oci.php:114 #: setup/postgresql.php:24 setup/postgresql.php:70 msgid "You need to enter either an existing account or the administrator." -msgstr "Debe ingresar una cuenta existente o el administrador" +msgstr "Tenés que ingresar una cuenta existente o el administrador." #: setup/mysql.php:12 msgid "MySQL username and/or password not valid" @@ -139,7 +155,7 @@ msgstr "El comando no comprendido es: \"%s\"" #: setup/mysql.php:85 #, php-format msgid "MySQL user '%s'@'localhost' exists already." -msgstr "Usuario MySQL '%s'@'localhost' ya existente" +msgstr "Usuario MySQL '%s'@'localhost' ya existe." #: setup/mysql.php:86 msgid "Drop this user from MySQL" @@ -148,7 +164,7 @@ msgstr "Borrar este usuario de MySQL" #: setup/mysql.php:91 #, php-format msgid "MySQL user '%s'@'%%' already exists" -msgstr "Usuario MySQL '%s'@'%%' ya existente" +msgstr "Usuario MySQL '%s'@'%%' ya existe" #: setup/mysql.php:92 msgid "Drop this user from MySQL." @@ -160,7 +176,7 @@ msgstr "No fue posible establecer la conexión a Oracle" #: setup/oci.php:41 setup/oci.php:113 msgid "Oracle username and/or password not valid" -msgstr "El nombre de usuario y contraseña no son válidos" +msgstr "El nombre de usuario y/o contraseña no son válidos" #: setup/oci.php:173 setup/oci.php:205 #, php-format @@ -169,79 +185,83 @@ msgstr "El comando no comprendido es: \"%s\", nombre: \"%s\", contraseña: \"%s\ #: setup/postgresql.php:23 setup/postgresql.php:69 msgid "PostgreSQL username and/or password not valid" -msgstr "Nombre de usuario o contraseña de PostgradeSQL no válido." +msgstr "Nombre de usuario o contraseña PostgradeSQL inválido." -#: setup.php:42 +#: setup.php:28 msgid "Set an admin username." -msgstr "Configurar un nombre de administrador" +msgstr "Configurar un nombre de administrador." -#: setup.php:45 +#: setup.php:31 msgid "Set an admin password." -msgstr "Configurar una palabra clave de administrador" +msgstr "Configurar una contraseña de administrador." -#: setup.php:198 +#: setup.php:184 msgid "" "Your web server is not yet properly setup to allow files synchronization " "because the WebDAV interface seems to be broken." msgstr "Tu servidor web no está configurado todavía para permitir sincronización de archivos porque la interfaz WebDAV parece no funcionar." -#: setup.php:199 +#: setup.php:185 #, php-format msgid "Please double check the installation guides." msgstr "Por favor, comprobá nuevamente la guía de instalación." -#: template.php:113 +#: template/functions.php:80 msgid "seconds ago" msgstr "segundos atrás" -#: template.php:114 +#: template/functions.php:81 msgid "1 minute ago" msgstr "hace 1 minuto" -#: template.php:115 +#: template/functions.php:82 #, php-format msgid "%d minutes ago" msgstr "hace %d minutos" -#: template.php:116 +#: template/functions.php:83 msgid "1 hour ago" -msgstr "1 hora atrás" +msgstr "hace 1 hora" -#: template.php:117 +#: template/functions.php:84 #, php-format msgid "%d hours ago" -msgstr "%d horas atrás" +msgstr "hace %d horas" -#: template.php:118 +#: template/functions.php:85 msgid "today" msgstr "hoy" -#: template.php:119 +#: template/functions.php:86 msgid "yesterday" msgstr "ayer" -#: template.php:120 +#: template/functions.php:87 #, php-format msgid "%d days ago" msgstr "hace %d días" -#: template.php:121 +#: template/functions.php:88 msgid "last month" msgstr "el mes pasado" -#: template.php:122 +#: template/functions.php:89 #, php-format msgid "%d months ago" -msgstr "%d meses atrás" +msgstr "hace %d meses" -#: template.php:123 +#: template/functions.php:90 msgid "last year" msgstr "el año pasado" -#: template.php:124 +#: template/functions.php:91 msgid "years ago" msgstr "años atrás" +#: template.php:296 +msgid "Caused by:" +msgstr "" + #: vcategories.php:188 vcategories.php:249 #, php-format msgid "Could not find category \"%s\"" diff --git a/l10n/es_AR/settings.po b/l10n/es_AR/settings.po index e875c2e210..2828c7650a 100644 --- a/l10n/es_AR/settings.po +++ b/l10n/es_AR/settings.po @@ -9,9 +9,9 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" -"Last-Translator: cjtess \n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:55+0000\n" +"Last-Translator: I Robot \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" @@ -275,62 +275,71 @@ msgstr "Permitir enlaces" msgid "Allow users to share items to the public with links" msgstr "Permitir a los usuarios compartir enlaces públicos" -#: templates/admin.php:152 +#: templates/admin.php:153 +msgid "Allow public uploads" +msgstr "" + +#: templates/admin.php:154 +msgid "" +"Allow users to enable others to upload into their publicly shared folders" +msgstr "" + +#: templates/admin.php:162 msgid "Allow resharing" msgstr "Permitir Re-Compartir" -#: templates/admin.php:153 +#: templates/admin.php:163 msgid "Allow users to share items shared with them again" msgstr "Permite a los usuarios volver a compartir items que les fueron compartidos" -#: templates/admin.php:160 +#: templates/admin.php:170 msgid "Allow users to share with anyone" msgstr "Permitir a los usuarios compartir con cualquiera." -#: templates/admin.php:163 +#: templates/admin.php:173 msgid "Allow users to only share with users in their groups" msgstr "Permitir a los usuarios compartir sólo con los de sus mismos grupos" -#: templates/admin.php:170 +#: templates/admin.php:180 msgid "Security" msgstr "Seguridad" -#: templates/admin.php:183 +#: templates/admin.php:193 msgid "Enforce HTTPS" msgstr "Forzar HTTPS" -#: templates/admin.php:184 +#: templates/admin.php:194 msgid "" "Enforces the clients to connect to ownCloud via an encrypted connection." msgstr "Forzar a los clientes conectar a ownCloud vía conexión encriptada." -#: templates/admin.php:187 +#: templates/admin.php:197 msgid "" "Please connect to this ownCloud instance via HTTPS to enable or disable the " "SSL enforcement." msgstr "Por favor conectate a este ownCloud vía HTTPS para habilitar o deshabilitar el SSL." -#: templates/admin.php:197 +#: templates/admin.php:207 msgid "Log" msgstr "Log" -#: templates/admin.php:198 +#: templates/admin.php:208 msgid "Log level" msgstr "Nivel de Log" -#: templates/admin.php:229 +#: templates/admin.php:239 msgid "More" msgstr "Más" -#: templates/admin.php:230 +#: templates/admin.php:240 msgid "Less" msgstr "Menos" -#: templates/admin.php:236 templates/personal.php:116 +#: templates/admin.php:246 templates/personal.php:116 msgid "Version" msgstr "Versión" -#: templates/admin.php:240 templates/personal.php:119 +#: templates/admin.php:250 templates/personal.php:119 msgid "" "Developed by the ownCloud community, the access your Files via WebDAV" +msgstr "Usá esta dirección para acceder a tus archivos a través de WebDAV" #: templates/users.php:21 msgid "Login Name" diff --git a/l10n/es_AR/user_ldap.po b/l10n/es_AR/user_ldap.po index 9995bb00e3..6c58b2264c 100644 --- a/l10n/es_AR/user_ldap.po +++ b/l10n/es_AR/user_ldap.po @@ -8,8 +8,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: cjtess \n" "Language-Team: Spanish (Argentina) (http://www.transifex.com/projects/p/owncloud/language/es_AR/)\n" "MIME-Version: 1.0\n" diff --git a/l10n/et_EE/core.po b/l10n/et_EE/core.po index acc33071f5..6fb41eac22 100644 --- a/l10n/et_EE/core.po +++ b/l10n/et_EE/core.po @@ -9,8 +9,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:12+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:04+0000\n" "Last-Translator: I Robot \n" "Language-Team: Estonian (Estonia) (http://www.transifex.com/projects/p/owncloud/language/et_EE/)\n" "MIME-Version: 1.0\n" @@ -22,7 +22,7 @@ msgstr "" #: ajax/share.php:97 #, php-format msgid "%s shared »%s« with you" -msgstr "" +msgstr "%s jagas sinuga »%s«" #: ajax/vcategories/add.php:26 ajax/vcategories/edit.php:25 msgid "Category type not provided." @@ -139,59 +139,59 @@ msgstr "November" msgid "December" msgstr "Detsember" -#: js/js.js:289 +#: js/js.js:293 msgid "Settings" msgstr "Seaded" -#: js/js.js:721 +#: js/js.js:715 msgid "seconds ago" msgstr "sekundit tagasi" -#: js/js.js:722 +#: js/js.js:716 msgid "1 minute ago" msgstr "1 minut tagasi" -#: js/js.js:723 +#: js/js.js:717 msgid "{minutes} minutes ago" msgstr "{minutes} minutit tagasi" -#: js/js.js:724 +#: js/js.js:718 msgid "1 hour ago" msgstr "1 tund tagasi" -#: js/js.js:725 +#: js/js.js:719 msgid "{hours} hours ago" msgstr "{hours} tundi tagasi" -#: js/js.js:726 +#: js/js.js:720 msgid "today" msgstr "täna" -#: js/js.js:727 +#: js/js.js:721 msgid "yesterday" msgstr "eile" -#: js/js.js:728 +#: js/js.js:722 msgid "{days} days ago" msgstr "{days} päeva tagasi" -#: js/js.js:729 +#: js/js.js:723 msgid "last month" msgstr "viimasel kuul" -#: js/js.js:730 +#: js/js.js:724 msgid "{months} months ago" msgstr "{months} kuud tagasi" -#: js/js.js:731 +#: js/js.js:725 msgid "months ago" msgstr "kuu tagasi" -#: js/js.js:732 +#: js/js.js:726 msgid "last year" msgstr "viimasel aastal" -#: js/js.js:733 +#: js/js.js:727 msgid "years ago" msgstr "aastat tagasi" @@ -227,8 +227,8 @@ msgstr "Objekti tüüp pole määratletud." #: js/oc-vcategories.js:14 js/oc-vcategories.js:80 js/oc-vcategories.js:95 #: js/oc-vcategories.js:110 js/oc-vcategories.js:125 js/oc-vcategories.js:136 #: js/oc-vcategories.js:172 js/oc-vcategories.js:189 js/oc-vcategories.js:195 -#: js/oc-vcategories.js:199 js/share.js:136 js/share.js:143 js/share.js:618 -#: js/share.js:630 +#: js/oc-vcategories.js:199 js/share.js:136 js/share.js:143 js/share.js:625 +#: js/share.js:637 msgid "Error" msgstr "Viga" @@ -248,7 +248,7 @@ msgstr "Jagatud" msgid "Share" msgstr "Jaga" -#: js/share.js:125 js/share.js:658 +#: js/share.js:125 js/share.js:665 msgid "Error while sharing" msgstr "Viga jagamisel" @@ -268,114 +268,114 @@ msgstr "Jagatud sinu ja {group} grupiga {owner} poolt" msgid "Shared with you by {owner}" msgstr "Sinuga jagas {owner}" -#: js/share.js:172 +#: js/share.js:177 msgid "Share with" msgstr "Jaga" -#: js/share.js:177 +#: js/share.js:182 msgid "Share with link" msgstr "Jaga lingiga" -#: js/share.js:180 +#: js/share.js:185 msgid "Password protect" msgstr "Parooliga kaitstud" -#: js/share.js:182 templates/installation.php:54 templates/login.php:26 +#: js/share.js:187 templates/installation.php:54 templates/login.php:26 msgid "Password" msgstr "Parool" -#: js/share.js:186 +#: js/share.js:192 msgid "Allow Public Upload" -msgstr "" +msgstr "Luba avalik üleslaadimine" -#: js/share.js:189 +#: js/share.js:196 msgid "Email link to person" msgstr "Saada link isikule e-postiga" -#: js/share.js:190 +#: js/share.js:197 msgid "Send" msgstr "Saada" -#: js/share.js:195 +#: js/share.js:202 msgid "Set expiration date" msgstr "Määra aegumise kuupäev" -#: js/share.js:196 +#: js/share.js:203 msgid "Expiration date" msgstr "Aegumise kuupäev" -#: js/share.js:228 +#: js/share.js:235 msgid "Share via email:" msgstr "Jaga e-postiga:" -#: js/share.js:230 +#: js/share.js:237 msgid "No people found" msgstr "Ühtegi inimest ei leitud" -#: js/share.js:268 +#: js/share.js:275 msgid "Resharing is not allowed" msgstr "Edasijagamine pole lubatud" -#: js/share.js:304 +#: js/share.js:311 msgid "Shared in {item} with {user}" msgstr "Jagatud {item} kasutajaga {user}" -#: js/share.js:325 +#: js/share.js:332 msgid "Unshare" msgstr "Lõpeta jagamine" -#: js/share.js:337 +#: js/share.js:344 msgid "can edit" msgstr "saab muuta" -#: js/share.js:339 +#: js/share.js:346 msgid "access control" msgstr "ligipääsukontroll" -#: js/share.js:342 +#: js/share.js:349 msgid "create" msgstr "loo" -#: js/share.js:345 +#: js/share.js:352 msgid "update" msgstr "uuenda" -#: js/share.js:348 +#: js/share.js:355 msgid "delete" msgstr "kustuta" -#: js/share.js:351 +#: js/share.js:358 msgid "share" msgstr "jaga" -#: js/share.js:385 js/share.js:605 +#: js/share.js:392 js/share.js:612 msgid "Password protected" msgstr "Parooliga kaitstud" -#: js/share.js:618 +#: js/share.js:625 msgid "Error unsetting expiration date" msgstr "Viga aegumise kuupäeva eemaldamisel" -#: js/share.js:630 +#: js/share.js:637 msgid "Error setting expiration date" msgstr "Viga aegumise kuupäeva määramisel" -#: js/share.js:645 +#: js/share.js:652 msgid "Sending ..." msgstr "Saatmine ..." -#: js/share.js:656 +#: js/share.js:663 msgid "Email sent" msgstr "E-kiri on saadetud" -#: js/update.js:14 +#: js/update.js:17 msgid "" "The update was unsuccessful. Please report this issue to the ownCloud " "community." msgstr "Uuendus ebaõnnestus. Palun teavita probleemidest ownCloud kogukonda." -#: js/update.js:18 +#: js/update.js:21 msgid "The update was successful. Redirecting you to ownCloud now." msgstr "Uuendus oli edukas. Kohe suunatakse Sind ownCloudi." @@ -413,11 +413,11 @@ msgid "" "will be no way to get your data back after your password is reset. If you " "are not sure what to do, please contact your administrator before you " "continue. Do you really want to continue?" -msgstr "" +msgstr "Sinu failid on krüpteeritud. Kui sa pole taastamise võtit veel määranud, siis pole präast parooli taastamist mingit võimalust sinu andmeid tagasi saada. Kui sa pole kindel, mida teha, siis palun väta enne jätkamist ühendust oma administaatoriga. Oled sa kindel, et sa soovid jätkata?" #: lostpassword/templates/lostpassword.php:24 msgid "Yes, I really want to reset my password now" -msgstr "" +msgstr "Jah, ma tõesti soovin oma parooli praegu nullida" #: lostpassword/templates/lostpassword.php:27 msgid "Request reset" @@ -467,7 +467,7 @@ msgstr "Ligipääs on keelatud" msgid "Cloud not found" msgstr "Pilve ei leitud" -#: templates/altmail.php:2 +#: templates/altmail.php:4 #, php-format msgid "" "Hey there,\n" @@ -476,11 +476,7 @@ msgid "" "View it: %s\n" "\n" "Cheers!" -msgstr "" - -#: templates/altmail.php:7 templates/mail.php:24 -msgid "web services under your control" -msgstr "veebitenused sinu kontrolli all" +msgstr "Hei,\n\nlihtsalt annan sulle teada, et %s jagas sinuga %s.\nVaata seda siin: %s\n\nTervitused!" #: templates/edit_categories_dialog.php:4 msgid "Edit categories" @@ -613,12 +609,12 @@ msgstr "Logi sisse" msgid "Alternative Logins" msgstr "Alternatiivsed sisselogimisviisid" -#: templates/mail.php:15 +#: templates/mail.php:16 #, php-format msgid "" "Hey there,

    just letting you know that %s shared »%s« with you.
    View it!

    Cheers!" -msgstr "" +msgstr "Hei,

    lihtsalt annan sulle teada, et %s jagas sinuga »%s«.
    Vaata seda!

    Tervitades!" #: templates/part.pagenavi.php:3 msgid "prev" diff --git a/l10n/et_EE/files.po b/l10n/et_EE/files.po index a49f7b08e9..4f6132eeb3 100644 --- a/l10n/et_EE/files.po +++ b/l10n/et_EE/files.po @@ -9,8 +9,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:12+0200\n" -"PO-Revision-Date: 2013-07-04 07:55+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:04+0000\n" "Last-Translator: I Robot \n" "Language-Team: Estonian (Estonia) (http://www.transifex.com/projects/p/owncloud/language/et_EE/)\n" "MIME-Version: 1.0\n" @@ -29,54 +29,54 @@ msgstr "Ei saa liigutada faili %s - samanimeline fail on juba olemas" msgid "Could not move %s" msgstr "%s liigutamine ebaõnnestus" -#: ajax/upload.php:16 ajax/upload.php:39 +#: ajax/upload.php:16 ajax/upload.php:45 msgid "Unable to set upload directory." -msgstr "" +msgstr "Üleslaadimiste kausta määramine ebaõnnestus." -#: ajax/upload.php:23 +#: ajax/upload.php:22 msgid "Invalid Token" -msgstr "" +msgstr "Vigane kontrollkood" -#: ajax/upload.php:55 +#: ajax/upload.php:59 msgid "No file was uploaded. Unknown error" msgstr "Ühtegi faili ei laetud üles. Tundmatu viga" -#: ajax/upload.php:62 +#: ajax/upload.php:66 msgid "There is no error, the file uploaded with success" msgstr "Ühtegi tõrget polnud, fail on üles laetud" -#: ajax/upload.php:63 +#: ajax/upload.php:67 msgid "" "The uploaded file exceeds the upload_max_filesize directive in php.ini: " msgstr "Üleslaetava faili suurus ületab php.ini poolt määratud upload_max_filesize suuruse:" -#: ajax/upload.php:65 +#: ajax/upload.php:69 msgid "" "The uploaded file exceeds the MAX_FILE_SIZE directive that was specified in " "the HTML form" msgstr "Üleslaetud fail ületab MAX_FILE_SIZE suuruse, mis on HTML vormi jaoks määratud" -#: ajax/upload.php:66 +#: ajax/upload.php:70 msgid "The uploaded file was only partially uploaded" msgstr "Fail laeti üles ainult osaliselt" -#: ajax/upload.php:67 +#: ajax/upload.php:71 msgid "No file was uploaded" msgstr "Ühtegi faili ei laetud üles" -#: ajax/upload.php:68 +#: ajax/upload.php:72 msgid "Missing a temporary folder" msgstr "Ajutiste failide kaust puudub" -#: ajax/upload.php:69 +#: ajax/upload.php:73 msgid "Failed to write to disk" msgstr "Kettale kirjutamine ebaõnnestus" -#: ajax/upload.php:87 +#: ajax/upload.php:91 msgid "Not enough storage available" msgstr "Saadaval pole piisavalt ruumi" -#: ajax/upload.php:119 +#: ajax/upload.php:123 msgid "Invalid directory." msgstr "Vigane kaust." @@ -130,43 +130,43 @@ msgstr "Kustuta" msgid "Rename" msgstr "Nimeta ümber" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:464 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:465 msgid "Pending" msgstr "Ootel" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "{new_name} already exists" msgstr "{new_name} on juba olemas" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "replace" msgstr "asenda" -#: js/filelist.js:302 +#: js/filelist.js:303 msgid "suggest name" msgstr "soovita nime" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "cancel" msgstr "loobu" -#: js/filelist.js:349 +#: js/filelist.js:350 msgid "replaced {new_name} with {old_name}" msgstr "asendas nime {old_name} nimega {new_name}" -#: js/filelist.js:349 +#: js/filelist.js:350 msgid "undo" msgstr "tagasi" -#: js/filelist.js:374 +#: js/filelist.js:375 msgid "perform delete operation" msgstr "teosta kustutamine" -#: js/filelist.js:456 +#: js/filelist.js:457 msgid "1 file uploading" msgstr "1 fail üleslaadimisel" -#: js/filelist.js:459 js/filelist.js:517 +#: js/filelist.js:460 js/filelist.js:518 msgid "files uploading" msgstr "faili üleslaadimisel" @@ -214,26 +214,26 @@ msgstr "Suurus" msgid "Modified" msgstr "Muudetud" -#: js/files.js:765 +#: js/files.js:763 msgid "1 folder" msgstr "1 kaust" -#: js/files.js:767 +#: js/files.js:765 msgid "{count} folders" msgstr "{count} kausta" -#: js/files.js:775 +#: js/files.js:773 msgid "1 file" msgstr "1 fail" -#: js/files.js:777 +#: js/files.js:775 msgid "{count} files" msgstr "{count} faili" #: lib/app.php:73 #, php-format msgid "%s could not be renamed" -msgstr "" +msgstr "%s ümbernimetamine ebaõnnestus" #: lib/helper.php:11 templates/index.php:18 msgid "Upload" @@ -329,19 +329,19 @@ msgstr "Faile skannitakse, palun oota." msgid "Current scanning" msgstr "Praegune skannimine" -#: templates/part.list.php:78 +#: templates/part.list.php:74 msgid "directory" -msgstr "" +msgstr "kaust" -#: templates/part.list.php:80 +#: templates/part.list.php:76 msgid "directories" -msgstr "" +msgstr "kaustad" -#: templates/part.list.php:89 +#: templates/part.list.php:85 msgid "file" msgstr "fail" -#: templates/part.list.php:91 +#: templates/part.list.php:87 msgid "files" msgstr "faili" diff --git a/l10n/et_EE/files_encryption.po b/l10n/et_EE/files_encryption.po index f7d2550070..b5851a1bb9 100644 --- a/l10n/et_EE/files_encryption.po +++ b/l10n/et_EE/files_encryption.po @@ -9,9 +9,9 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:12+0200\n" -"PO-Revision-Date: 2013-07-05 00:13+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-07-06 02:01+0200\n" +"PO-Revision-Date: 2013-07-05 09:30+0000\n" +"Last-Translator: pisike.sipelgas \n" "Language-Team: Estonian (Estonia) (http://www.transifex.com/projects/p/owncloud/language/et_EE/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -47,13 +47,13 @@ msgstr "Ei suutnud vahetada parooli. Võib-olla on vana parool valesti sisestatu #: ajax/updatePrivateKeyPassword.php:51 msgid "Private key password successfully updated." -msgstr "" +msgstr "Privaatse võtme parool edukalt uuendatud." #: ajax/updatePrivateKeyPassword.php:53 msgid "" "Could not update the private key password. Maybe the old password was not " "correct." -msgstr "" +msgstr "Ei suutnud uuendada privaatse võtme parooli. Võib-olla polnud vana parool õige." #: files/error.php:7 msgid "" @@ -61,18 +61,18 @@ msgid "" "ownCloud system (e.g. your corporate directory). You can update your private" " key password in your personal settings to recover access to your encrypted " "files." -msgstr "" +msgstr "Sinu privaatne võti pole toimiv! Tõenäoliselt on sinu parool muutunud väljaspool ownCloud süsteemi (näiteks ettevõtte keskhaldus). Sa saad uuendada oma privaatse võtme parooli seadete all taastamaks ligipääsu oma krüpteeritud failidele." #: hooks/hooks.php:44 msgid "Missing requirements." -msgstr "" +msgstr "Nõutavad on puudu." #: hooks/hooks.php:45 msgid "" "Please make sure that PHP 5.3.3 or newer is installed and that the OpenSSL " "PHP extension is enabled and configured properly. For now, the encryption " "app has been disabled." -msgstr "" +msgstr "Veendu, et kasutusel oleks PHP 5.3.3 või uuem versioon ning kasutusel oleks OpenSSL PHP laiendus ja see on korrektselt seadistatud. Hetkel on krüpteerimise rakenduse kasutamine peatatud." #: js/settings-admin.js:11 msgid "Saving..." @@ -82,15 +82,15 @@ msgstr "Salvestamine..." msgid "" "Your private key is not valid! Maybe the your password was changed from " "outside." -msgstr "" +msgstr "Sinu privaatne võti ei ole õige. Võib-olla on parool vahetatud süsteemi väliselt." #: templates/invalid_private_key.php:7 msgid "You can unlock your private key in your " -msgstr "" +msgstr "Saad avada oma privaatse võtme oma" #: templates/invalid_private_key.php:7 msgid "personal settings" -msgstr "" +msgstr "isiklikes seadetes" #: templates/settings-admin.php:5 templates/settings-personal.php:4 msgid "Encryption" @@ -99,11 +99,11 @@ msgstr "Krüpteerimine" #: templates/settings-admin.php:10 msgid "" "Enable recovery key (allow to recover users files in case of password loss):" -msgstr "" +msgstr "Luba taastevõti (võimada kasutaja failide taastamine parooli kaotuse puhul):" #: templates/settings-admin.php:14 msgid "Recovery key password" -msgstr "" +msgstr "Taastevõtme parool" #: templates/settings-admin.php:21 templates/settings-personal.php:54 msgid "Enabled" @@ -115,15 +115,15 @@ msgstr "Väljalülitatud" #: templates/settings-admin.php:34 msgid "Change recovery key password:" -msgstr "" +msgstr "Muuda taastevõtme parooli:" #: templates/settings-admin.php:41 msgid "Old Recovery key password" -msgstr "" +msgstr "Vana taastevõtme parool" #: templates/settings-admin.php:48 msgid "New Recovery key password" -msgstr "" +msgstr "Uus taastevõtme parool" #: templates/settings-admin.php:53 msgid "Change Password" @@ -131,39 +131,39 @@ msgstr "Muuda parooli" #: templates/settings-personal.php:11 msgid "Your private key password no longer match your log-in password:" -msgstr "" +msgstr "Sinu privaatse võtme parool ei ühti enam sinu sisselogimise parooliga:" #: templates/settings-personal.php:14 msgid "Set your old private key password to your current log-in password." -msgstr "" +msgstr "Pane oma vana privaatvõtme parooliks oma praegune sisselogimise parool." #: templates/settings-personal.php:16 msgid "" " If you don't remember your old password you can ask your administrator to " "recover your files." -msgstr "" +msgstr "Kui sa ei mäleta oma vana parooli, siis palu oma süsteemihalduril taastada ligipääs failidele." #: templates/settings-personal.php:24 msgid "Old log-in password" -msgstr "" +msgstr "Vana sisselogimise parool" #: templates/settings-personal.php:30 msgid "Current log-in password" -msgstr "" +msgstr "Praegune sisselogimise parool" #: templates/settings-personal.php:35 msgid "Update Private Key Password" -msgstr "" +msgstr "Uuenda privaatse võtme parooli" #: templates/settings-personal.php:45 msgid "Enable password recovery:" -msgstr "" +msgstr "Luba parooli taaste:" #: templates/settings-personal.php:47 msgid "" "Enabling this option will allow you to reobtain access to your encrypted " "files in case of password loss" -msgstr "" +msgstr "Valiku lubamine võimaldab taastada ligipääsu krüpteeritud failidele kui parooli kaotuse puhul" #: templates/settings-personal.php:63 msgid "File recovery settings updated" diff --git a/l10n/et_EE/files_external.po b/l10n/et_EE/files_external.po index 9731627b6f..b371afd127 100644 --- a/l10n/et_EE/files_external.po +++ b/l10n/et_EE/files_external.po @@ -8,8 +8,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: Rivo Zängov \n" "Language-Team: Estonian (Estonia) (http://www.transifex.com/projects/p/owncloud/language/et_EE/)\n" "MIME-Version: 1.0\n" @@ -38,20 +38,20 @@ msgstr "Palun sisesta korrektne Dropboxi rakenduse võti ja salasõna." msgid "Error configuring Google Drive storage" msgstr "Viga Google Drive'i salvestusruumi seadistamisel" -#: lib/config.php:431 +#: lib/config.php:447 msgid "" "Warning: \"smbclient\" is not installed. Mounting of CIFS/SMB shares " "is not possible. Please ask your system administrator to install it." msgstr "Hoiatus: \"smbclient\" pole paigaldatud. Jagatud CIFS/SMB hoidlate ühendamine pole võimalik. Palu oma süsteemihalduril paigaldata SAMBA tugi." -#: lib/config.php:434 +#: lib/config.php:450 msgid "" "Warning: The FTP support in PHP is not enabled or installed. Mounting" " of FTP shares is not possible. Please ask your system administrator to " "install it." msgstr "Hoiatus: PHP-s puudub FTP tugi. Jagatud FTP hoidlate ühendamine pole võimalik. Palu oma süsteemihalduril paigaldata FTP tugi." -#: lib/config.php:437 +#: lib/config.php:453 msgid "" "Warning: The Curl support in PHP is not enabled or installed. " "Mounting of ownCloud / WebDAV or GoogleDrive is not possible. Please ask " diff --git a/l10n/et_EE/files_sharing.po b/l10n/et_EE/files_sharing.po index adec3c3a7c..42361100f7 100644 --- a/l10n/et_EE/files_sharing.po +++ b/l10n/et_EE/files_sharing.po @@ -3,13 +3,14 @@ # This file is distributed under the same license as the PACKAGE package. # # Translators: +# Rivo Zängov , 2013 msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:13+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" +"Last-Translator: Rivo Zängov \n" "Language-Team: Estonian (Estonia) (http://www.transifex.com/projects/p/owncloud/language/et_EE/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -19,7 +20,7 @@ msgstr "" #: templates/authenticate.php:4 msgid "The password is wrong. Try again." -msgstr "" +msgstr "Parool on vale. Proovi uuesti." #: templates/authenticate.php:7 msgid "Password" @@ -39,18 +40,18 @@ msgstr "%s jagas sinuga kausta %s" msgid "%s shared the file %s with you" msgstr "%s jagas sinuga faili %s" -#: templates/public.php:28 templates/public.php:86 +#: templates/public.php:28 templates/public.php:90 msgid "Download" msgstr "Lae alla" -#: templates/public.php:44 +#: templates/public.php:45 templates/public.php:48 msgid "Upload" msgstr "Lae üles" -#: templates/public.php:54 +#: templates/public.php:58 msgid "Cancel upload" msgstr "Tühista üleslaadimine" -#: templates/public.php:83 +#: templates/public.php:87 msgid "No preview available for" msgstr "Eelvaadet pole saadaval" diff --git a/l10n/et_EE/files_trashbin.po b/l10n/et_EE/files_trashbin.po index 7979e6c859..9c1270403a 100644 --- a/l10n/et_EE/files_trashbin.po +++ b/l10n/et_EE/files_trashbin.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: Rivo Zängov \n" "Language-Team: Estonian (Estonia) (http://www.transifex.com/projects/p/owncloud/language/et_EE/)\n" "MIME-Version: 1.0\n" diff --git a/l10n/et_EE/lib.po b/l10n/et_EE/lib.po index b94a859dde..4286a1d97e 100644 --- a/l10n/et_EE/lib.po +++ b/l10n/et_EE/lib.po @@ -9,8 +9,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:13+0000\n" +"POT-Creation-Date: 2013-07-24 01:55-0400\n" +"PO-Revision-Date: 2013-07-24 05:55+0000\n" "Last-Translator: I Robot \n" "Language-Team: Estonian (Estonia) (http://www.transifex.com/projects/p/owncloud/language/et_EE/)\n" "MIME-Version: 1.0\n" @@ -43,27 +43,43 @@ msgstr "Rakendused" msgid "Admin" msgstr "Admin" -#: defaults.php:33 -msgid "web services under your control" +#: app.php:844 +#, php-format +msgid "Failed to upgrade \"%s\"." msgstr "" -#: files.php:210 +#: defaults.php:33 +msgid "web services under your control" +msgstr "veebitenused sinu kontrolli all" + +#: files.php:66 files.php:98 +#, php-format +msgid "cannot open \"%s\"" +msgstr "" + +#: files.php:226 msgid "ZIP download is turned off." msgstr "ZIP-ina allalaadimine on välja lülitatud." -#: files.php:211 +#: files.php:227 msgid "Files need to be downloaded one by one." msgstr "Failid tuleb alla laadida ükshaaval." -#: files.php:212 files.php:245 +#: files.php:228 files.php:256 msgid "Back to Files" msgstr "Tagasi failide juurde" -#: files.php:242 +#: files.php:253 msgid "Selected files too large to generate zip file." msgstr "Valitud failid on ZIP-faili loomiseks liiga suured." -#: helper.php:236 +#: files.php:254 +msgid "" +"Download the files in smaller chunks, seperately or kindly ask your " +"administrator." +msgstr "" + +#: helper.php:235 msgid "couldn't be determined" msgstr "ei suudetud tuvastada" @@ -172,77 +188,81 @@ msgstr "Tõrkuv käsk oli: \"%s\", nimi: %s, parool: %s" msgid "PostgreSQL username and/or password not valid" msgstr "PostgreSQL kasutajatunnus ja/või parool pole õiged" -#: setup.php:42 +#: setup.php:28 msgid "Set an admin username." msgstr "Määra admin kasutajanimi." -#: setup.php:45 +#: setup.php:31 msgid "Set an admin password." msgstr "Määra admini parool." -#: setup.php:198 +#: setup.php:184 msgid "" "Your web server is not yet properly setup to allow files synchronization " "because the WebDAV interface seems to be broken." msgstr "Veebiserveri ei ole veel korralikult seadistatud võimaldamaks failide sünkroniseerimist, kuna WebDAV liides näib olevat mittetoimiv." -#: setup.php:199 +#: setup.php:185 #, php-format msgid "Please double check the installation guides." msgstr "Palun tutvu veelkord paigalduse juhenditega." -#: template.php:113 +#: template/functions.php:80 msgid "seconds ago" msgstr "sekundit tagasi" -#: template.php:114 +#: template/functions.php:81 msgid "1 minute ago" msgstr "1 minut tagasi" -#: template.php:115 +#: template/functions.php:82 #, php-format msgid "%d minutes ago" msgstr "%d minutit tagasi" -#: template.php:116 +#: template/functions.php:83 msgid "1 hour ago" msgstr "1 tund tagasi" -#: template.php:117 +#: template/functions.php:84 #, php-format msgid "%d hours ago" msgstr "%d tundi tagasi" -#: template.php:118 +#: template/functions.php:85 msgid "today" msgstr "täna" -#: template.php:119 +#: template/functions.php:86 msgid "yesterday" msgstr "eile" -#: template.php:120 +#: template/functions.php:87 #, php-format msgid "%d days ago" msgstr "%d päeva tagasi" -#: template.php:121 +#: template/functions.php:88 msgid "last month" msgstr "viimasel kuul" -#: template.php:122 +#: template/functions.php:89 #, php-format msgid "%d months ago" msgstr "%d kuud tagasi" -#: template.php:123 +#: template/functions.php:90 msgid "last year" msgstr "viimasel aastal" -#: template.php:124 +#: template/functions.php:91 msgid "years ago" msgstr "aastat tagasi" +#: template.php:296 +msgid "Caused by:" +msgstr "" + #: vcategories.php:188 vcategories.php:249 #, php-format msgid "Could not find category \"%s\"" diff --git a/l10n/et_EE/settings.po b/l10n/et_EE/settings.po index ce17bbe62b..d6eb8e8264 100644 --- a/l10n/et_EE/settings.po +++ b/l10n/et_EE/settings.po @@ -9,9 +9,9 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-07-24 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 09:30+0000\n" +"Last-Translator: pisike.sipelgas \n" "Language-Team: Estonian (Estonia) (http://www.transifex.com/projects/p/owncloud/language/et_EE/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -275,62 +275,71 @@ msgstr "Luba lingid" msgid "Allow users to share items to the public with links" msgstr "Luba kasutajatel jagada kirjeid avalike linkidega" -#: templates/admin.php:152 +#: templates/admin.php:153 +msgid "Allow public uploads" +msgstr "Luba avalikud üleslaadimised" + +#: templates/admin.php:154 +msgid "" +"Allow users to enable others to upload into their publicly shared folders" +msgstr "Luba kasutajatel üleslaadimine teiste poolt oma avalikult jagatud kataloogidesse " + +#: templates/admin.php:162 msgid "Allow resharing" msgstr "Luba edasijagamine" -#: templates/admin.php:153 +#: templates/admin.php:163 msgid "Allow users to share items shared with them again" msgstr "Luba kasutajatel jagada edasi kirjeid, mida on neile jagatud" -#: templates/admin.php:160 +#: templates/admin.php:170 msgid "Allow users to share with anyone" msgstr "Luba kasutajatel kõigiga jagada" -#: templates/admin.php:163 +#: templates/admin.php:173 msgid "Allow users to only share with users in their groups" msgstr "Luba kasutajatel jagada kirjeid ainult nende grupi liikmetele, millesse nad ise kuuluvad" -#: templates/admin.php:170 +#: templates/admin.php:180 msgid "Security" msgstr "Turvalisus" -#: templates/admin.php:183 +#: templates/admin.php:193 msgid "Enforce HTTPS" msgstr "Sunni peale HTTPS-i kasutamine" -#: templates/admin.php:184 +#: templates/admin.php:194 msgid "" "Enforces the clients to connect to ownCloud via an encrypted connection." msgstr "Sunnib kliente ownCloudiga ühenduma krüpteeritult." -#: templates/admin.php:187 +#: templates/admin.php:197 msgid "" "Please connect to this ownCloud instance via HTTPS to enable or disable the " "SSL enforcement." msgstr "Palun ühendu selle ownCloud instantsiga üle HTTPS või keela SSL kasutamine." -#: templates/admin.php:197 +#: templates/admin.php:207 msgid "Log" msgstr "Logi" -#: templates/admin.php:198 +#: templates/admin.php:208 msgid "Log level" msgstr "Logi tase" -#: templates/admin.php:229 +#: templates/admin.php:239 msgid "More" msgstr "Rohkem" -#: templates/admin.php:230 +#: templates/admin.php:240 msgid "Less" msgstr "Vähem" -#: templates/admin.php:236 templates/personal.php:116 +#: templates/admin.php:246 templates/personal.php:116 msgid "Version" msgstr "Versioon" -#: templates/admin.php:240 templates/personal.php:119 +#: templates/admin.php:250 templates/personal.php:119 msgid "" "Developed by the ownCloud community, the access your Files via WebDAV" +msgstr "Kasuta seda aadressi oma failidele ligipääsuks WebDAV kaudu" #: templates/users.php:21 msgid "Login Name" diff --git a/l10n/et_EE/user_ldap.po b/l10n/et_EE/user_ldap.po index 0132bb9f21..3bf6e35a79 100644 --- a/l10n/et_EE/user_ldap.po +++ b/l10n/et_EE/user_ldap.po @@ -9,8 +9,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: pisike.sipelgas \n" "Language-Team: Estonian (Estonia) (http://www.transifex.com/projects/p/owncloud/language/et_EE/)\n" "MIME-Version: 1.0\n" diff --git a/l10n/et_EE/user_webdavauth.po b/l10n/et_EE/user_webdavauth.po index 21fbf41a04..3c9471a273 100644 --- a/l10n/et_EE/user_webdavauth.po +++ b/l10n/et_EE/user_webdavauth.po @@ -9,9 +9,9 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-06-15 01:59+0200\n" -"PO-Revision-Date: 2013-06-15 00:00+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-07-06 02:01+0200\n" +"PO-Revision-Date: 2013-07-05 09:20+0000\n" +"Last-Translator: pisike.sipelgas \n" "Language-Team: Estonian (Estonia) (http://www.transifex.com/projects/p/owncloud/language/et_EE/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -25,7 +25,7 @@ msgstr "WebDAV autentimine" #: templates/settings.php:4 msgid "URL: " -msgstr "" +msgstr "URL: " #: templates/settings.php:7 msgid "" diff --git a/l10n/eu/core.po b/l10n/eu/core.po index d0fa2e927a..d835abba09 100644 --- a/l10n/eu/core.po +++ b/l10n/eu/core.po @@ -3,13 +3,14 @@ # This file is distributed under the same license as the PACKAGE package. # # Translators: +# Piarres Beobide , 2013 msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:12+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:04+0000\n" +"Last-Translator: Piarres Beobide \n" "Language-Team: Basque (http://www.transifex.com/projects/p/owncloud/language/eu/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -20,7 +21,7 @@ msgstr "" #: ajax/share.php:97 #, php-format msgid "%s shared »%s« with you" -msgstr "" +msgstr "%s-ek »%s« zurekin partekatu du" #: ajax/vcategories/add.php:26 ajax/vcategories/edit.php:25 msgid "Category type not provided." @@ -137,59 +138,59 @@ msgstr "Azaroa" msgid "December" msgstr "Abendua" -#: js/js.js:289 +#: js/js.js:293 msgid "Settings" msgstr "Ezarpenak" -#: js/js.js:721 +#: js/js.js:715 msgid "seconds ago" msgstr "segundu" -#: js/js.js:722 +#: js/js.js:716 msgid "1 minute ago" msgstr "orain dela minutu 1" -#: js/js.js:723 +#: js/js.js:717 msgid "{minutes} minutes ago" msgstr "orain dela {minutes} minutu" -#: js/js.js:724 +#: js/js.js:718 msgid "1 hour ago" msgstr "orain dela ordu bat" -#: js/js.js:725 +#: js/js.js:719 msgid "{hours} hours ago" msgstr "orain dela {hours} ordu" -#: js/js.js:726 +#: js/js.js:720 msgid "today" msgstr "gaur" -#: js/js.js:727 +#: js/js.js:721 msgid "yesterday" msgstr "atzo" -#: js/js.js:728 +#: js/js.js:722 msgid "{days} days ago" msgstr "orain dela {days} egun" -#: js/js.js:729 +#: js/js.js:723 msgid "last month" msgstr "joan den hilabetean" -#: js/js.js:730 +#: js/js.js:724 msgid "{months} months ago" msgstr "orain dela {months} hilabete" -#: js/js.js:731 +#: js/js.js:725 msgid "months ago" msgstr "hilabete" -#: js/js.js:732 +#: js/js.js:726 msgid "last year" msgstr "joan den urtean" -#: js/js.js:733 +#: js/js.js:727 msgid "years ago" msgstr "urte" @@ -203,7 +204,7 @@ msgstr "Ezeztatu" #: js/oc-dialogs.js:141 js/oc-dialogs.js:200 msgid "Error loading file picker template" -msgstr "" +msgstr "Errorea fitxategi hautatzaile txantiloiak kargatzerakoan" #: js/oc-dialogs.js:164 msgid "Yes" @@ -225,8 +226,8 @@ msgstr "Objetu mota ez dago zehaztuta." #: js/oc-vcategories.js:14 js/oc-vcategories.js:80 js/oc-vcategories.js:95 #: js/oc-vcategories.js:110 js/oc-vcategories.js:125 js/oc-vcategories.js:136 #: js/oc-vcategories.js:172 js/oc-vcategories.js:189 js/oc-vcategories.js:195 -#: js/oc-vcategories.js:199 js/share.js:136 js/share.js:143 js/share.js:618 -#: js/share.js:630 +#: js/oc-vcategories.js:199 js/share.js:136 js/share.js:143 js/share.js:625 +#: js/share.js:637 msgid "Error" msgstr "Errorea" @@ -246,7 +247,7 @@ msgstr "Elkarbanatuta" msgid "Share" msgstr "Elkarbanatu" -#: js/share.js:125 js/share.js:658 +#: js/share.js:125 js/share.js:665 msgid "Error while sharing" msgstr "Errore bat egon da elkarbanatzean" @@ -266,114 +267,114 @@ msgstr "{owner}-k zu eta {group} taldearekin elkarbanatuta" msgid "Shared with you by {owner}" msgstr "{owner}-k zurekin elkarbanatuta" -#: js/share.js:172 +#: js/share.js:177 msgid "Share with" msgstr "Elkarbanatu honekin" -#: js/share.js:177 +#: js/share.js:182 msgid "Share with link" msgstr "Elkarbanatu lotura batekin" -#: js/share.js:180 +#: js/share.js:185 msgid "Password protect" msgstr "Babestu pasahitzarekin" -#: js/share.js:182 templates/installation.php:54 templates/login.php:26 +#: js/share.js:187 templates/installation.php:54 templates/login.php:26 msgid "Password" msgstr "Pasahitza" -#: js/share.js:186 +#: js/share.js:192 msgid "Allow Public Upload" -msgstr "" +msgstr "Gaitu igotze publikoa" -#: js/share.js:189 +#: js/share.js:196 msgid "Email link to person" msgstr "Postaz bidali lotura " -#: js/share.js:190 +#: js/share.js:197 msgid "Send" msgstr "Bidali" -#: js/share.js:195 +#: js/share.js:202 msgid "Set expiration date" msgstr "Ezarri muga data" -#: js/share.js:196 +#: js/share.js:203 msgid "Expiration date" msgstr "Muga data" -#: js/share.js:228 +#: js/share.js:235 msgid "Share via email:" msgstr "Elkarbanatu eposta bidez:" -#: js/share.js:230 +#: js/share.js:237 msgid "No people found" msgstr "Ez da inor aurkitu" -#: js/share.js:268 +#: js/share.js:275 msgid "Resharing is not allowed" msgstr "Berriz elkarbanatzea ez dago baimendua" -#: js/share.js:304 +#: js/share.js:311 msgid "Shared in {item} with {user}" msgstr "{user}ekin {item}-n elkarbanatuta" -#: js/share.js:325 +#: js/share.js:332 msgid "Unshare" msgstr "Ez elkarbanatu" -#: js/share.js:337 +#: js/share.js:344 msgid "can edit" msgstr "editatu dezake" -#: js/share.js:339 +#: js/share.js:346 msgid "access control" msgstr "sarrera kontrola" -#: js/share.js:342 +#: js/share.js:349 msgid "create" msgstr "sortu" -#: js/share.js:345 +#: js/share.js:352 msgid "update" msgstr "eguneratu" -#: js/share.js:348 +#: js/share.js:355 msgid "delete" msgstr "ezabatu" -#: js/share.js:351 +#: js/share.js:358 msgid "share" msgstr "elkarbanatu" -#: js/share.js:385 js/share.js:605 +#: js/share.js:392 js/share.js:612 msgid "Password protected" msgstr "Pasahitzarekin babestuta" -#: js/share.js:618 +#: js/share.js:625 msgid "Error unsetting expiration date" msgstr "Errorea izan da muga data kentzean" -#: js/share.js:630 +#: js/share.js:637 msgid "Error setting expiration date" msgstr "Errore bat egon da muga data ezartzean" -#: js/share.js:645 +#: js/share.js:652 msgid "Sending ..." msgstr "Bidaltzen ..." -#: js/share.js:656 +#: js/share.js:663 msgid "Email sent" msgstr "Eposta bidalia" -#: js/update.js:14 +#: js/update.js:17 msgid "" "The update was unsuccessful. Please report this issue to the ownCloud " "community." msgstr "Eguneraketa ez da ongi egin. Mesedez egin arazoaren txosten bat ownCloud komunitatearentzako." -#: js/update.js:18 +#: js/update.js:21 msgid "The update was successful. Redirecting you to ownCloud now." msgstr "Eguneraketa ongi egin da. Orain zure ownClouderea berbideratua izango zara." @@ -390,11 +391,11 @@ msgid "" "The link to reset your password has been sent to your email.
    If you do " "not receive it within a reasonable amount of time, check your spam/junk " "folders.
    If it is not there ask your local administrator ." -msgstr "" +msgstr "Zure pasahitza berrezartzeko lotura zure postara bidalia izan da.
    Ez baduzu arrazoizko denbora \nepe batean jasotzen begiratu zure zabor-posta karpetan.
    Hor ere ez badago kudeatzailearekin harremanetan ipini." #: lostpassword/templates/lostpassword.php:12 msgid "Request failed!
    Did you make sure your email/username was right?" -msgstr "" +msgstr "Eskaerak huts egin du!
    Ziur zaude posta/pasahitza zuzenak direla?" #: lostpassword/templates/lostpassword.php:15 msgid "You will receive a link to reset your password via Email." @@ -411,11 +412,11 @@ msgid "" "will be no way to get your data back after your password is reset. If you " "are not sure what to do, please contact your administrator before you " "continue. Do you really want to continue?" -msgstr "" +msgstr "Zure fitxategiak enkriptaturik daude. Ez baduzu berreskuratze gakoa gaitzen pasahitza berrabiaraztean ez da zure fitxategiak berreskuratzeko modurik egongo. Zer egin ziur ez bazaude kudeatzailearekin harremanetan ipini jarraitu aurretik. Ziur zaude aurrera jarraitu nahi duzula?" #: lostpassword/templates/lostpassword.php:24 msgid "Yes, I really want to reset my password now" -msgstr "" +msgstr "Bai, nire pasahitza orain berrabiarazi nahi dut" #: lostpassword/templates/lostpassword.php:27 msgid "Request reset" @@ -465,7 +466,7 @@ msgstr "Sarrera debekatuta" msgid "Cloud not found" msgstr "Ez da hodeia aurkitu" -#: templates/altmail.php:2 +#: templates/altmail.php:4 #, php-format msgid "" "Hey there,\n" @@ -474,11 +475,7 @@ msgid "" "View it: %s\n" "\n" "Cheers!" -msgstr "" - -#: templates/altmail.php:7 templates/mail.php:24 -msgid "web services under your control" -msgstr "web zerbitzuak zure kontrolpean" +msgstr "Kaixo\n\n%s-ek %s zurekin partekatu duela jakin dezazun.\nIkusi ezazu: %s\n\nOngi jarraitu!" #: templates/edit_categories_dialog.php:4 msgid "Edit categories" @@ -575,7 +572,7 @@ msgstr "Bukatu konfigurazioa" #: templates/layout.user.php:43 #, php-format msgid "%s is available. Get more information on how to update." -msgstr "" +msgstr "%s erabilgarri dago. Eguneratzeaz argibide gehiago eskuratu." #: templates/layout.user.php:68 msgid "Log out" @@ -611,12 +608,12 @@ msgstr "Hasi saioa" msgid "Alternative Logins" msgstr "Beste erabiltzaile izenak" -#: templates/mail.php:15 +#: templates/mail.php:16 #, php-format msgid "" "Hey there,

    just letting you know that %s shared »%s« with you.
    View it!

    Cheers!" -msgstr "" +msgstr "Kaixo

    %s-ek %s zurekin partekatu duela jakin dezazun.
    \nIkusi ezazu

    Ongi jarraitu!" #: templates/part.pagenavi.php:3 msgid "prev" diff --git a/l10n/eu/files.po b/l10n/eu/files.po index 602f7d9cf7..f740c546a4 100644 --- a/l10n/eu/files.po +++ b/l10n/eu/files.po @@ -3,12 +3,13 @@ # This file is distributed under the same license as the PACKAGE package. # # Translators: +# Piarres Beobide , 2013 msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:12+0200\n" -"PO-Revision-Date: 2013-07-04 07:55+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:04+0000\n" "Last-Translator: I Robot \n" "Language-Team: Basque (http://www.transifex.com/projects/p/owncloud/language/eu/)\n" "MIME-Version: 1.0\n" @@ -27,54 +28,54 @@ msgstr "Ezin da %s mugitu - Izen hau duen fitxategia dagoeneko existitzen da" msgid "Could not move %s" msgstr "Ezin dira fitxategiak mugitu %s" -#: ajax/upload.php:16 ajax/upload.php:39 +#: ajax/upload.php:16 ajax/upload.php:45 msgid "Unable to set upload directory." -msgstr "" +msgstr "Ezin da igoera direktorioa ezarri." -#: ajax/upload.php:23 +#: ajax/upload.php:22 msgid "Invalid Token" -msgstr "" +msgstr "Lekuko baliogabea" -#: ajax/upload.php:55 +#: ajax/upload.php:59 msgid "No file was uploaded. Unknown error" msgstr "Ez da fitxategirik igo. Errore ezezaguna" -#: ajax/upload.php:62 +#: ajax/upload.php:66 msgid "There is no error, the file uploaded with success" msgstr "Ez da errorerik egon, fitxategia ongi igo da" -#: ajax/upload.php:63 +#: ajax/upload.php:67 msgid "" "The uploaded file exceeds the upload_max_filesize directive in php.ini: " msgstr "Igotako fitxategiak php.ini fitxategian ezarritako upload_max_filesize muga gainditu du:" -#: ajax/upload.php:65 +#: ajax/upload.php:69 msgid "" "The uploaded file exceeds the MAX_FILE_SIZE directive that was specified in " "the HTML form" msgstr "Igotako fitxategia HTML formularioan zehaztutako MAX_FILE_SIZE direktiba baino handidagoa da." -#: ajax/upload.php:66 +#: ajax/upload.php:70 msgid "The uploaded file was only partially uploaded" msgstr "Igotako fitxategiaren zati bat bakarrik igo da" -#: ajax/upload.php:67 +#: ajax/upload.php:71 msgid "No file was uploaded" msgstr "Ez da fitxategirik igo" -#: ajax/upload.php:68 +#: ajax/upload.php:72 msgid "Missing a temporary folder" msgstr "Aldi bateko karpeta falta da" -#: ajax/upload.php:69 +#: ajax/upload.php:73 msgid "Failed to write to disk" msgstr "Errore bat izan da diskoan idazterakoan" -#: ajax/upload.php:87 +#: ajax/upload.php:91 msgid "Not enough storage available" msgstr "Ez dago behar aina leku erabilgarri," -#: ajax/upload.php:119 +#: ajax/upload.php:123 msgid "Invalid directory." msgstr "Baliogabeko karpeta." @@ -105,7 +106,7 @@ msgstr "URLa ezin da hutsik egon." #: js/file-upload.js:238 lib/app.php:53 msgid "Invalid folder name. Usage of 'Shared' is reserved by ownCloud" -msgstr "" +msgstr "Karpeta izne baliogabea. \"Shared\" karpeta erabilpena OwnCloudentzat erreserbaturik dago." #: js/file-upload.js:267 js/file-upload.js:283 js/files.js:373 js/files.js:389 #: js/files.js:693 js/files.js:731 @@ -128,43 +129,43 @@ msgstr "Ezabatu" msgid "Rename" msgstr "Berrizendatu" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:464 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:465 msgid "Pending" msgstr "Zain" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "{new_name} already exists" msgstr "{new_name} dagoeneko existitzen da" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "replace" msgstr "ordeztu" -#: js/filelist.js:302 +#: js/filelist.js:303 msgid "suggest name" msgstr "aholkatu izena" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "cancel" msgstr "ezeztatu" -#: js/filelist.js:349 +#: js/filelist.js:350 msgid "replaced {new_name} with {old_name}" msgstr " {new_name}-k {old_name} ordezkatu du" -#: js/filelist.js:349 +#: js/filelist.js:350 msgid "undo" msgstr "desegin" -#: js/filelist.js:374 +#: js/filelist.js:375 msgid "perform delete operation" msgstr "Ezabatu" -#: js/filelist.js:456 +#: js/filelist.js:457 msgid "1 file uploading" msgstr "fitxategi 1 igotzen" -#: js/filelist.js:459 js/filelist.js:517 +#: js/filelist.js:460 js/filelist.js:518 msgid "files uploading" msgstr "fitxategiak igotzen" @@ -212,26 +213,26 @@ msgstr "Tamaina" msgid "Modified" msgstr "Aldatuta" -#: js/files.js:765 +#: js/files.js:763 msgid "1 folder" msgstr "karpeta bat" -#: js/files.js:767 +#: js/files.js:765 msgid "{count} folders" msgstr "{count} karpeta" -#: js/files.js:775 +#: js/files.js:773 msgid "1 file" msgstr "fitxategi bat" -#: js/files.js:777 +#: js/files.js:775 msgid "{count} files" msgstr "{count} fitxategi" #: lib/app.php:73 #, php-format msgid "%s could not be renamed" -msgstr "" +msgstr "%s ezin da berrizendatu" #: lib/helper.php:11 templates/index.php:18 msgid "Upload" @@ -327,19 +328,19 @@ msgstr "Fitxategiak eskaneatzen ari da, itxoin mezedez." msgid "Current scanning" msgstr "Orain eskaneatzen ari da" -#: templates/part.list.php:78 +#: templates/part.list.php:74 msgid "directory" -msgstr "" +msgstr "direktorioa" -#: templates/part.list.php:80 +#: templates/part.list.php:76 msgid "directories" -msgstr "" +msgstr "direktorioak" -#: templates/part.list.php:89 +#: templates/part.list.php:85 msgid "file" msgstr "fitxategia" -#: templates/part.list.php:91 +#: templates/part.list.php:87 msgid "files" msgstr "fitxategiak" diff --git a/l10n/eu/files_external.po b/l10n/eu/files_external.po index 7f6e3446bb..fbe14c6446 100644 --- a/l10n/eu/files_external.po +++ b/l10n/eu/files_external.po @@ -8,8 +8,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: Piarres Beobide \n" "Language-Team: Basque (http://www.transifex.com/projects/p/owncloud/language/eu/)\n" "MIME-Version: 1.0\n" @@ -38,20 +38,20 @@ msgstr "Mesedez eman baliozkoa den Dropbox app giltza eta sekretua" msgid "Error configuring Google Drive storage" msgstr "Errore bat egon da Google Drive biltegiratzea konfiguratzean" -#: lib/config.php:431 +#: lib/config.php:447 msgid "" "Warning: \"smbclient\" is not installed. Mounting of CIFS/SMB shares " "is not possible. Please ask your system administrator to install it." msgstr "Abisua: \"smbclient\" ez dago instalatuta. CIFS/SMB partekatutako karpetak montatzea ez da posible. Mesedez eskatu zure sistema kudeatzaileari instalatzea." -#: lib/config.php:434 +#: lib/config.php:450 msgid "" "Warning: The FTP support in PHP is not enabled or installed. Mounting" " of FTP shares is not possible. Please ask your system administrator to " "install it." msgstr "Abisua: PHPren FTP modulua ez dago instalatuta edo gaitua. FTP partekatutako karpetak montatzea ez da posible. Mesedez eskatu zure sistema kudeatzaileari instalatzea." -#: lib/config.php:437 +#: lib/config.php:453 msgid "" "Warning: The Curl support in PHP is not enabled or installed. " "Mounting of ownCloud / WebDAV or GoogleDrive is not possible. Please ask " diff --git a/l10n/eu/files_sharing.po b/l10n/eu/files_sharing.po index 40daad6272..904eaefbec 100644 --- a/l10n/eu/files_sharing.po +++ b/l10n/eu/files_sharing.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:13+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: I Robot \n" "Language-Team: Basque (http://www.transifex.com/projects/p/owncloud/language/eu/)\n" "MIME-Version: 1.0\n" @@ -39,18 +39,18 @@ msgstr "%sk zurekin %s karpeta elkarbanatu du" msgid "%s shared the file %s with you" msgstr "%sk zurekin %s fitxategia elkarbanatu du" -#: templates/public.php:28 templates/public.php:86 +#: templates/public.php:28 templates/public.php:90 msgid "Download" msgstr "Deskargatu" -#: templates/public.php:44 +#: templates/public.php:45 templates/public.php:48 msgid "Upload" msgstr "Igo" -#: templates/public.php:54 +#: templates/public.php:58 msgid "Cancel upload" msgstr "Ezeztatu igoera" -#: templates/public.php:83 +#: templates/public.php:87 msgid "No preview available for" msgstr "Ez dago aurrebista eskuragarririk hauentzat " diff --git a/l10n/eu/files_trashbin.po b/l10n/eu/files_trashbin.po index db50963306..04880a73a4 100644 --- a/l10n/eu/files_trashbin.po +++ b/l10n/eu/files_trashbin.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: I Robot \n" "Language-Team: Basque (http://www.transifex.com/projects/p/owncloud/language/eu/)\n" "MIME-Version: 1.0\n" diff --git a/l10n/eu/lib.po b/l10n/eu/lib.po index c5a88da9a9..d34f67e8c9 100644 --- a/l10n/eu/lib.po +++ b/l10n/eu/lib.po @@ -3,12 +3,13 @@ # This file is distributed under the same license as the PACKAGE package. # # Translators: +# Piarres Beobide , 2013 msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:13+0000\n" +"POT-Creation-Date: 2013-07-24 01:55-0400\n" +"PO-Revision-Date: 2013-07-24 05:55+0000\n" "Last-Translator: I Robot \n" "Language-Team: Basque (http://www.transifex.com/projects/p/owncloud/language/eu/)\n" "MIME-Version: 1.0\n" @@ -41,27 +42,43 @@ msgstr "Aplikazioak" msgid "Admin" msgstr "Admin" -#: defaults.php:33 -msgid "web services under your control" +#: app.php:844 +#, php-format +msgid "Failed to upgrade \"%s\"." msgstr "" -#: files.php:210 +#: defaults.php:33 +msgid "web services under your control" +msgstr "web zerbitzuak zure kontrolpean" + +#: files.php:66 files.php:98 +#, php-format +msgid "cannot open \"%s\"" +msgstr "" + +#: files.php:226 msgid "ZIP download is turned off." msgstr "ZIP deskarga ez dago gaituta." -#: files.php:211 +#: files.php:227 msgid "Files need to be downloaded one by one." msgstr "Fitxategiak banan-banan deskargatu behar dira." -#: files.php:212 files.php:245 +#: files.php:228 files.php:256 msgid "Back to Files" msgstr "Itzuli fitxategietara" -#: files.php:242 +#: files.php:253 msgid "Selected files too large to generate zip file." msgstr "Hautatuko fitxategiak oso handiak dira zip fitxategia sortzeko." -#: helper.php:236 +#: files.php:254 +msgid "" +"Download the files in smaller chunks, seperately or kindly ask your " +"administrator." +msgstr "" + +#: helper.php:235 msgid "couldn't be determined" msgstr "ezin izan da zehaztu" @@ -155,7 +172,7 @@ msgstr "Ezabatu erabiltzaile hau MySQLtik." #: setup/oci.php:34 msgid "Oracle connection could not be established" -msgstr "" +msgstr "Ezin da Oracle konexioa sortu" #: setup/oci.php:41 setup/oci.php:113 msgid "Oracle username and/or password not valid" @@ -170,77 +187,81 @@ msgstr "Errorea komando honek sortu du: \"%s\", izena: %s, pasahitza: %s" msgid "PostgreSQL username and/or password not valid" msgstr "PostgreSQL erabiltzaile edota pasahitza ez dira egokiak." -#: setup.php:42 +#: setup.php:28 msgid "Set an admin username." msgstr "Ezarri administraziorako erabiltzaile izena." -#: setup.php:45 +#: setup.php:31 msgid "Set an admin password." msgstr "Ezarri administraziorako pasahitza." -#: setup.php:198 +#: setup.php:184 msgid "" "Your web server is not yet properly setup to allow files synchronization " "because the WebDAV interface seems to be broken." msgstr "Zure web zerbitzaria ez dago oraindik ongi konfiguratuta fitxategien sinkronizazioa egiteko, WebDAV interfazea ongi ez dagoela dirudi." -#: setup.php:199 +#: setup.php:185 #, php-format msgid "Please double check the installation guides." msgstr "Mesedez begiratu instalazio gidak." -#: template.php:113 +#: template/functions.php:80 msgid "seconds ago" msgstr "segundu" -#: template.php:114 +#: template/functions.php:81 msgid "1 minute ago" msgstr "orain dela minutu 1" -#: template.php:115 +#: template/functions.php:82 #, php-format msgid "%d minutes ago" msgstr "orain dela %d minutu" -#: template.php:116 +#: template/functions.php:83 msgid "1 hour ago" msgstr "orain dela ordu bat" -#: template.php:117 +#: template/functions.php:84 #, php-format msgid "%d hours ago" msgstr "orain dela %d ordu" -#: template.php:118 +#: template/functions.php:85 msgid "today" msgstr "gaur" -#: template.php:119 +#: template/functions.php:86 msgid "yesterday" msgstr "atzo" -#: template.php:120 +#: template/functions.php:87 #, php-format msgid "%d days ago" msgstr "orain dela %d egun" -#: template.php:121 +#: template/functions.php:88 msgid "last month" msgstr "joan den hilabetean" -#: template.php:122 +#: template/functions.php:89 #, php-format msgid "%d months ago" msgstr "orain dela %d hilabete" -#: template.php:123 +#: template/functions.php:90 msgid "last year" msgstr "joan den urtean" -#: template.php:124 +#: template/functions.php:91 msgid "years ago" msgstr "urte" +#: template.php:296 +msgid "Caused by:" +msgstr "" + #: vcategories.php:188 vcategories.php:249 #, php-format msgid "Could not find category \"%s\"" diff --git a/l10n/eu/settings.po b/l10n/eu/settings.po index d3c3df48a0..50867767f7 100644 --- a/l10n/eu/settings.po +++ b/l10n/eu/settings.po @@ -8,9 +8,9 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" -"Last-Translator: Piarres Beobide \n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:55+0000\n" +"Last-Translator: I Robot \n" "Language-Team: Basque (http://www.transifex.com/projects/p/owncloud/language/eu/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -274,62 +274,71 @@ msgstr "Baimendu loturak" msgid "Allow users to share items to the public with links" msgstr "Baimendu erabiltzaileak loturen bidez fitxategiak publikoki elkarbanatzen" -#: templates/admin.php:152 +#: templates/admin.php:153 +msgid "Allow public uploads" +msgstr "" + +#: templates/admin.php:154 +msgid "" +"Allow users to enable others to upload into their publicly shared folders" +msgstr "" + +#: templates/admin.php:162 msgid "Allow resharing" msgstr "Baimendu birpartekatzea" -#: templates/admin.php:153 +#: templates/admin.php:163 msgid "Allow users to share items shared with them again" msgstr "Baimendu erabiltzaileak haiekin elkarbanatutako fitxategiak berriz ere elkarbanatzen" -#: templates/admin.php:160 +#: templates/admin.php:170 msgid "Allow users to share with anyone" msgstr "Baimendu erabiltzaileak edonorekin elkarbanatzen" -#: templates/admin.php:163 +#: templates/admin.php:173 msgid "Allow users to only share with users in their groups" msgstr "Baimendu erabiltzaileak bakarrik bere taldeko erabiltzaileekin elkarbanatzen" -#: templates/admin.php:170 +#: templates/admin.php:180 msgid "Security" msgstr "Segurtasuna" -#: templates/admin.php:183 +#: templates/admin.php:193 msgid "Enforce HTTPS" msgstr "Behartu HTTPS" -#: templates/admin.php:184 +#: templates/admin.php:194 msgid "" "Enforces the clients to connect to ownCloud via an encrypted connection." msgstr "Bezeroak konexio enkriptatu baten bidez ownCloud-era konektatzera behartzen du." -#: templates/admin.php:187 +#: templates/admin.php:197 msgid "" "Please connect to this ownCloud instance via HTTPS to enable or disable the " "SSL enforcement." msgstr "Mesedez konektatu ownCloud honetara HTTPS bidez SSL-ren beharra gaitu edo ezgaitzeko" -#: templates/admin.php:197 +#: templates/admin.php:207 msgid "Log" msgstr "Egunkaria" -#: templates/admin.php:198 +#: templates/admin.php:208 msgid "Log level" msgstr "Erregistro maila" -#: templates/admin.php:229 +#: templates/admin.php:239 msgid "More" msgstr "Gehiago" -#: templates/admin.php:230 +#: templates/admin.php:240 msgid "Less" msgstr "Gutxiago" -#: templates/admin.php:236 templates/personal.php:116 +#: templates/admin.php:246 templates/personal.php:116 msgid "Version" msgstr "Bertsioa" -#: templates/admin.php:240 templates/personal.php:119 +#: templates/admin.php:250 templates/personal.php:119 msgid "" "Developed by the ownCloud community, the access your Files via WebDAV" +msgstr "helbidea erabili zure fitxategiak WebDAV bidez eskuratzeko" #: templates/users.php:21 msgid "Login Name" diff --git a/l10n/eu/user_ldap.po b/l10n/eu/user_ldap.po index 3f085ad089..c70625c285 100644 --- a/l10n/eu/user_ldap.po +++ b/l10n/eu/user_ldap.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: I Robot \n" "Language-Team: Basque (http://www.transifex.com/projects/p/owncloud/language/eu/)\n" "MIME-Version: 1.0\n" diff --git a/l10n/fa/core.po b/l10n/fa/core.po index 523c31b84f..1fb387cc75 100644 --- a/l10n/fa/core.po +++ b/l10n/fa/core.po @@ -3,13 +3,14 @@ # This file is distributed under the same license as the PACKAGE package. # # Translators: +# miki_mika1362 , 2013 msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:12+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:04+0000\n" +"Last-Translator: miki_mika1362 \n" "Language-Team: Persian (http://www.transifex.com/projects/p/owncloud/language/fa/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -20,7 +21,7 @@ msgstr "" #: ajax/share.php:97 #, php-format msgid "%s shared »%s« with you" -msgstr "" +msgstr "%s به اشتراک گذاشته شده است »%s« توسط شما" #: ajax/vcategories/add.php:26 ajax/vcategories/edit.php:25 msgid "Category type not provided." @@ -137,59 +138,59 @@ msgstr "نوامبر" msgid "December" msgstr "دسامبر" -#: js/js.js:289 +#: js/js.js:293 msgid "Settings" msgstr "تنظیمات" -#: js/js.js:721 +#: js/js.js:715 msgid "seconds ago" msgstr "ثانیه‌ها پیش" -#: js/js.js:722 +#: js/js.js:716 msgid "1 minute ago" msgstr "1 دقیقه پیش" -#: js/js.js:723 +#: js/js.js:717 msgid "{minutes} minutes ago" msgstr "{دقیقه ها} دقیقه های پیش" -#: js/js.js:724 +#: js/js.js:718 msgid "1 hour ago" msgstr "1 ساعت پیش" -#: js/js.js:725 +#: js/js.js:719 msgid "{hours} hours ago" msgstr "{ساعت ها} ساعت ها پیش" -#: js/js.js:726 +#: js/js.js:720 msgid "today" msgstr "امروز" -#: js/js.js:727 +#: js/js.js:721 msgid "yesterday" msgstr "دیروز" -#: js/js.js:728 +#: js/js.js:722 msgid "{days} days ago" msgstr "{روزها} روزهای پیش" -#: js/js.js:729 +#: js/js.js:723 msgid "last month" msgstr "ماه قبل" -#: js/js.js:730 +#: js/js.js:724 msgid "{months} months ago" msgstr "{ماه ها} ماه ها پیش" -#: js/js.js:731 +#: js/js.js:725 msgid "months ago" msgstr "ماه‌های قبل" -#: js/js.js:732 +#: js/js.js:726 msgid "last year" msgstr "سال قبل" -#: js/js.js:733 +#: js/js.js:727 msgid "years ago" msgstr "سال‌های قبل" @@ -203,7 +204,7 @@ msgstr "منصرف شدن" #: js/oc-dialogs.js:141 js/oc-dialogs.js:200 msgid "Error loading file picker template" -msgstr "" +msgstr "خطا در بارگذاری قالب انتخاب کننده فایل" #: js/oc-dialogs.js:164 msgid "Yes" @@ -225,8 +226,8 @@ msgstr "نوع شی تعیین نشده است." #: js/oc-vcategories.js:14 js/oc-vcategories.js:80 js/oc-vcategories.js:95 #: js/oc-vcategories.js:110 js/oc-vcategories.js:125 js/oc-vcategories.js:136 #: js/oc-vcategories.js:172 js/oc-vcategories.js:189 js/oc-vcategories.js:195 -#: js/oc-vcategories.js:199 js/share.js:136 js/share.js:143 js/share.js:618 -#: js/share.js:630 +#: js/oc-vcategories.js:199 js/share.js:136 js/share.js:143 js/share.js:625 +#: js/share.js:637 msgid "Error" msgstr "خطا" @@ -246,7 +247,7 @@ msgstr "اشتراک گذاشته شده" msgid "Share" msgstr "اشتراک‌گذاری" -#: js/share.js:125 js/share.js:658 +#: js/share.js:125 js/share.js:665 msgid "Error while sharing" msgstr "خطا درحال به اشتراک گذاشتن" @@ -266,114 +267,114 @@ msgstr "به اشتراک گذاشته شده با شما و گروه {گروه} msgid "Shared with you by {owner}" msgstr "به اشتراک گذاشته شده با شما توسط { دارنده}" -#: js/share.js:172 +#: js/share.js:177 msgid "Share with" msgstr "به اشتراک گذاشتن با" -#: js/share.js:177 +#: js/share.js:182 msgid "Share with link" msgstr "به اشتراک گذاشتن با پیوند" -#: js/share.js:180 +#: js/share.js:185 msgid "Password protect" msgstr "نگهداری کردن رمز عبور" -#: js/share.js:182 templates/installation.php:54 templates/login.php:26 +#: js/share.js:187 templates/installation.php:54 templates/login.php:26 msgid "Password" msgstr "گذرواژه" -#: js/share.js:186 +#: js/share.js:192 msgid "Allow Public Upload" -msgstr "" +msgstr "اجازه آپلود عمومی" -#: js/share.js:189 +#: js/share.js:196 msgid "Email link to person" msgstr "پیوند ایمیل برای شخص." -#: js/share.js:190 +#: js/share.js:197 msgid "Send" msgstr "ارسال" -#: js/share.js:195 +#: js/share.js:202 msgid "Set expiration date" msgstr "تنظیم تاریخ انقضا" -#: js/share.js:196 +#: js/share.js:203 msgid "Expiration date" msgstr "تاریخ انقضا" -#: js/share.js:228 +#: js/share.js:235 msgid "Share via email:" msgstr "از طریق ایمیل به اشتراک بگذارید :" -#: js/share.js:230 +#: js/share.js:237 msgid "No people found" msgstr "کسی یافت نشد" -#: js/share.js:268 +#: js/share.js:275 msgid "Resharing is not allowed" msgstr "اشتراک گذاری مجدد مجاز نمی باشد" -#: js/share.js:304 +#: js/share.js:311 msgid "Shared in {item} with {user}" msgstr "به اشتراک گذاشته شده در {بخش} با {کاربر}" -#: js/share.js:325 +#: js/share.js:332 msgid "Unshare" msgstr "لغو اشتراک" -#: js/share.js:337 +#: js/share.js:344 msgid "can edit" msgstr "می توان ویرایش کرد" -#: js/share.js:339 +#: js/share.js:346 msgid "access control" msgstr "کنترل دسترسی" -#: js/share.js:342 +#: js/share.js:349 msgid "create" msgstr "ایجاد" -#: js/share.js:345 +#: js/share.js:352 msgid "update" msgstr "به روز" -#: js/share.js:348 +#: js/share.js:355 msgid "delete" msgstr "پاک کردن" -#: js/share.js:351 +#: js/share.js:358 msgid "share" msgstr "به اشتراک گذاشتن" -#: js/share.js:385 js/share.js:605 +#: js/share.js:392 js/share.js:612 msgid "Password protected" msgstr "نگهداری از رمز عبور" -#: js/share.js:618 +#: js/share.js:625 msgid "Error unsetting expiration date" msgstr "خطا در تنظیم نکردن تاریخ انقضا " -#: js/share.js:630 +#: js/share.js:637 msgid "Error setting expiration date" msgstr "خطا در تنظیم تاریخ انقضا" -#: js/share.js:645 +#: js/share.js:652 msgid "Sending ..." msgstr "درحال ارسال ..." -#: js/share.js:656 +#: js/share.js:663 msgid "Email sent" msgstr "ایمیل ارسال شد" -#: js/update.js:14 +#: js/update.js:17 msgid "" "The update was unsuccessful. Please report this issue to the ownCloud " "community." msgstr "به روز رسانی ناموفق بود. لطفا این خطا را به جامعه ی OwnCloud گزارش نمایید." -#: js/update.js:18 +#: js/update.js:21 msgid "The update was successful. Redirecting you to ownCloud now." msgstr "به روزرسانی موفقیت آمیز بود. در حال انتقال شما به OwnCloud." @@ -390,11 +391,11 @@ msgid "" "The link to reset your password has been sent to your email.
    If you do " "not receive it within a reasonable amount of time, check your spam/junk " "folders.
    If it is not there ask your local administrator ." -msgstr "" +msgstr "لینک تنظیم مجدد رمز عبور به ایمیل شما ارسال شده است.
    اگر آن رادر یک زمان مشخصی دریافت نکرده اید، لطفا هرزنامه/ پوشه های ناخواسته را بررسی کنید.
    در صورت نبودن از مدیر خود بپرسید." #: lostpassword/templates/lostpassword.php:12 msgid "Request failed!
    Did you make sure your email/username was right?" -msgstr "" +msgstr "درخواست رد شده است !
    آیا مطمئن هستید که ایمیل/ نام کاربری شما صحیح میباشد ؟" #: lostpassword/templates/lostpassword.php:15 msgid "You will receive a link to reset your password via Email." @@ -411,11 +412,11 @@ msgid "" "will be no way to get your data back after your password is reset. If you " "are not sure what to do, please contact your administrator before you " "continue. Do you really want to continue?" -msgstr "" +msgstr "فایل های شما رمزگذاری شده اند. اگر شما کلید بازیابی را فعال نکرده اید، پس از راه اندازی مجدد رمزعبور هیچ راهی برای بازگشت اطلاعاتتان وجود نخواهد داشت.در صورت عدم اطمینان به انجام کار، لطفا ابتدا با مدیر خود تماس بگیرید. آیا واقعا میخواهید ادامه دهید ؟" #: lostpassword/templates/lostpassword.php:24 msgid "Yes, I really want to reset my password now" -msgstr "" +msgstr "بله، من اکنون میخواهم رمز عبور خود را مجددا راه اندازی کنم." #: lostpassword/templates/lostpassword.php:27 msgid "Request reset" @@ -465,7 +466,7 @@ msgstr "اجازه دسترسی به مناطق ممنوعه را ندارید" msgid "Cloud not found" msgstr "پیدا نشد" -#: templates/altmail.php:2 +#: templates/altmail.php:4 #, php-format msgid "" "Hey there,\n" @@ -474,11 +475,7 @@ msgid "" "View it: %s\n" "\n" "Cheers!" -msgstr "" - -#: templates/altmail.php:7 templates/mail.php:24 -msgid "web services under your control" -msgstr "سرویس های تحت وب در کنترل شما" +msgstr "اینجا,⏎\n فقط به شما اجازه میدهد که بدانید %s به اشتراک گذاشته شده %s توسط شما.⏎\nمشاهده آن : %s⏎\n⏎\nبه سلامتی!" #: templates/edit_categories_dialog.php:4 msgid "Edit categories" @@ -575,7 +572,7 @@ msgstr "اتمام نصب" #: templates/layout.user.php:43 #, php-format msgid "%s is available. Get more information on how to update." -msgstr "" +msgstr "%s در دسترس است. برای چگونگی به روز رسانی اطلاعات بیشتر را دریافت نمایید." #: templates/layout.user.php:68 msgid "Log out" @@ -611,12 +608,12 @@ msgstr "ورود" msgid "Alternative Logins" msgstr "ورود متناوب" -#: templates/mail.php:15 +#: templates/mail.php:16 #, php-format msgid "" "Hey there,

    just letting you know that %s shared »%s« with you.
    View it!

    Cheers!" -msgstr "" +msgstr "اینجا

    فقط به شما اجازه میدهد که بدانید %s به اشتراک گذاشته شده»%s« توسط شما.
    مشاهده آن!

    به سلامتی!" #: templates/part.pagenavi.php:3 msgid "prev" diff --git a/l10n/fa/files.po b/l10n/fa/files.po index 67d0a68e1b..76429a8c3b 100644 --- a/l10n/fa/files.po +++ b/l10n/fa/files.po @@ -3,12 +3,13 @@ # This file is distributed under the same license as the PACKAGE package. # # Translators: +# miki_mika1362 , 2013 msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:12+0200\n" -"PO-Revision-Date: 2013-07-04 07:55+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:04+0000\n" "Last-Translator: I Robot \n" "Language-Team: Persian (http://www.transifex.com/projects/p/owncloud/language/fa/)\n" "MIME-Version: 1.0\n" @@ -27,54 +28,54 @@ msgstr "%s نمی تواند حرکت کند - در حال حاضر پرونده msgid "Could not move %s" msgstr "%s نمی تواند حرکت کند " -#: ajax/upload.php:16 ajax/upload.php:39 +#: ajax/upload.php:16 ajax/upload.php:45 msgid "Unable to set upload directory." -msgstr "" +msgstr "قادر به تنظیم پوشه آپلود نمی باشد." -#: ajax/upload.php:23 +#: ajax/upload.php:22 msgid "Invalid Token" -msgstr "" +msgstr "رمز نامعتبر" -#: ajax/upload.php:55 +#: ajax/upload.php:59 msgid "No file was uploaded. Unknown error" msgstr "هیچ فایلی آپلود نشد.خطای ناشناس" -#: ajax/upload.php:62 +#: ajax/upload.php:66 msgid "There is no error, the file uploaded with success" msgstr "هیچ خطایی نیست بارگذاری پرونده موفقیت آمیز بود" -#: ajax/upload.php:63 +#: ajax/upload.php:67 msgid "" "The uploaded file exceeds the upload_max_filesize directive in php.ini: " msgstr "پرونده آپلود شده بیش ازدستور ماکزیمم_حجم فایل_برای آپلود در php.ini استفاده کرده است." -#: ajax/upload.php:65 +#: ajax/upload.php:69 msgid "" "The uploaded file exceeds the MAX_FILE_SIZE directive that was specified in " "the HTML form" msgstr "حداکثر حجم قابل بار گذاری از طریق HTML MAX_FILE_SIZE است" -#: ajax/upload.php:66 +#: ajax/upload.php:70 msgid "The uploaded file was only partially uploaded" msgstr "پرونده بارگذاری شده فقط تاحدودی بارگذاری شده" -#: ajax/upload.php:67 +#: ajax/upload.php:71 msgid "No file was uploaded" msgstr "هیچ پروندهای بارگذاری نشده" -#: ajax/upload.php:68 +#: ajax/upload.php:72 msgid "Missing a temporary folder" msgstr "یک پوشه موقت گم شده" -#: ajax/upload.php:69 +#: ajax/upload.php:73 msgid "Failed to write to disk" msgstr "نوشتن بر روی دیسک سخت ناموفق بود" -#: ajax/upload.php:87 +#: ajax/upload.php:91 msgid "Not enough storage available" msgstr "فضای کافی در دسترس نیست" -#: ajax/upload.php:119 +#: ajax/upload.php:123 msgid "Invalid directory." msgstr "فهرست راهنما نامعتبر می باشد." @@ -105,7 +106,7 @@ msgstr "URL نمی تواند خالی باشد." #: js/file-upload.js:238 lib/app.php:53 msgid "Invalid folder name. Usage of 'Shared' is reserved by ownCloud" -msgstr "" +msgstr "نام پوشه نامعتبر است. استفاده از 'به اشتراک گذاشته شده' متعلق به ownCloud میباشد." #: js/file-upload.js:267 js/file-upload.js:283 js/files.js:373 js/files.js:389 #: js/files.js:693 js/files.js:731 @@ -128,43 +129,43 @@ msgstr "حذف" msgid "Rename" msgstr "تغییرنام" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:464 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:465 msgid "Pending" msgstr "در انتظار" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "{new_name} already exists" msgstr "{نام _جدید} در حال حاضر وجود دارد." -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "replace" msgstr "جایگزین" -#: js/filelist.js:302 +#: js/filelist.js:303 msgid "suggest name" msgstr "پیشنهاد نام" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "cancel" msgstr "لغو" -#: js/filelist.js:349 +#: js/filelist.js:350 msgid "replaced {new_name} with {old_name}" msgstr "{نام_جدید} با { نام_قدیمی} جایگزین شد." -#: js/filelist.js:349 +#: js/filelist.js:350 msgid "undo" msgstr "بازگشت" -#: js/filelist.js:374 +#: js/filelist.js:375 msgid "perform delete operation" msgstr "انجام عمل حذف" -#: js/filelist.js:456 +#: js/filelist.js:457 msgid "1 file uploading" msgstr "1 پرونده آپلود شد." -#: js/filelist.js:459 js/filelist.js:517 +#: js/filelist.js:460 js/filelist.js:518 msgid "files uploading" msgstr "بارگذاری فایل ها" @@ -212,26 +213,26 @@ msgstr "اندازه" msgid "Modified" msgstr "تاریخ" -#: js/files.js:765 +#: js/files.js:763 msgid "1 folder" msgstr "1 پوشه" -#: js/files.js:767 +#: js/files.js:765 msgid "{count} folders" msgstr "{ شمار} پوشه ها" -#: js/files.js:775 +#: js/files.js:773 msgid "1 file" msgstr "1 پرونده" -#: js/files.js:777 +#: js/files.js:775 msgid "{count} files" msgstr "{ شمار } فایل ها" #: lib/app.php:73 #, php-format msgid "%s could not be renamed" -msgstr "" +msgstr "%s نمیتواند تغییر نام دهد." #: lib/helper.php:11 templates/index.php:18 msgid "Upload" @@ -327,19 +328,19 @@ msgstr "پرونده ها در حال بازرسی هستند لطفا صبر ک msgid "Current scanning" msgstr "بازرسی کنونی" -#: templates/part.list.php:78 +#: templates/part.list.php:74 msgid "directory" -msgstr "" +msgstr "پوشه" -#: templates/part.list.php:80 +#: templates/part.list.php:76 msgid "directories" -msgstr "" +msgstr "پوشه ها" -#: templates/part.list.php:89 +#: templates/part.list.php:85 msgid "file" msgstr "پرونده" -#: templates/part.list.php:91 +#: templates/part.list.php:87 msgid "files" msgstr "پرونده ها" diff --git a/l10n/fa/files_encryption.po b/l10n/fa/files_encryption.po index 5435dd5782..1693b267f7 100644 --- a/l10n/fa/files_encryption.po +++ b/l10n/fa/files_encryption.po @@ -3,13 +3,14 @@ # This file is distributed under the same license as the PACKAGE package. # # Translators: +# miki_mika1362 , 2013 msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:12+0200\n" -"PO-Revision-Date: 2013-07-05 00:13+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-07-11 02:16+0200\n" +"PO-Revision-Date: 2013-07-10 09:30+0000\n" +"Last-Translator: miki_mika1362 \n" "Language-Team: Persian (http://www.transifex.com/projects/p/owncloud/language/fa/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -19,39 +20,39 @@ msgstr "" #: ajax/adminrecovery.php:29 msgid "Recovery key successfully enabled" -msgstr "" +msgstr "کلید بازیابی با موفقیت فعال شده است." #: ajax/adminrecovery.php:34 msgid "" "Could not enable recovery key. Please check your recovery key password!" -msgstr "" +msgstr "کلید بازیابی نمی تواند فعال شود. لطفا رمزعبور کلید بازیابی خود را بررسی نمایید!" #: ajax/adminrecovery.php:48 msgid "Recovery key successfully disabled" -msgstr "" +msgstr "کلید بازیابی با موفقیت غیر فعال شده است." #: ajax/adminrecovery.php:53 msgid "" "Could not disable recovery key. Please check your recovery key password!" -msgstr "" +msgstr "کلید بازیابی را نمی تواند غیرفعال نماید. لطفا رمزعبور کلید بازیابی خود را بررسی کنید!" #: ajax/changeRecoveryPassword.php:49 msgid "Password successfully changed." -msgstr "" +msgstr "رمزعبور با موفقیت تغییر یافت." #: ajax/changeRecoveryPassword.php:51 msgid "Could not change the password. Maybe the old password was not correct." -msgstr "" +msgstr "رمزعبور را نمیتواند تغییر دهد. شاید رمزعبورقدیمی صحیح نمی باشد." #: ajax/updatePrivateKeyPassword.php:51 msgid "Private key password successfully updated." -msgstr "" +msgstr "رمزعبور کلید خصوصی با موفقیت به روز شد." #: ajax/updatePrivateKeyPassword.php:53 msgid "" "Could not update the private key password. Maybe the old password was not " "correct." -msgstr "" +msgstr "رمزعبور کلید خصوصی را نمی تواند به روز کند. شاید رمزعبور قدیمی صحیح نمی باشد." #: files/error.php:7 msgid "" @@ -59,18 +60,18 @@ msgid "" "ownCloud system (e.g. your corporate directory). You can update your private" " key password in your personal settings to recover access to your encrypted " "files." -msgstr "" +msgstr "کلید خصوصی شما معتبر نمی باشد! ظاهرا رمزعبور شما بیرون از سیستم ownCloud تغییر یافته است( به عنوان مثال پوشه سازمان شما ). شما میتوانید رمزعبور کلید خصوصی خود را در تنظیمات شخصیتان به روز کنید تا بتوانید به فایل های رمزگذاری شده خود را دسترسی داشته باشید." #: hooks/hooks.php:44 msgid "Missing requirements." -msgstr "" +msgstr "نیازمندی های گمشده" #: hooks/hooks.php:45 msgid "" "Please make sure that PHP 5.3.3 or newer is installed and that the OpenSSL " "PHP extension is enabled and configured properly. For now, the encryption " "app has been disabled." -msgstr "" +msgstr "لطفا مطمئن شوید که PHP 5.3.3 یا جدیدتر نصب شده و پسوند OpenSSL PHP فعال است و به درستی پیکربندی شده است. در حال حاضر، برنامه رمزگذاری غیر فعال شده است." #: js/settings-admin.js:11 msgid "Saving..." @@ -80,15 +81,15 @@ msgstr "در حال ذخیره سازی..." msgid "" "Your private key is not valid! Maybe the your password was changed from " "outside." -msgstr "" +msgstr "کلید خصوصی شما معتبر نیست! شاید رمزعبوراز بیرون تغییر یافته است." #: templates/invalid_private_key.php:7 msgid "You can unlock your private key in your " -msgstr "" +msgstr "شما میتوانید کلید خصوصی خود را باز نمایید." #: templates/invalid_private_key.php:7 msgid "personal settings" -msgstr "" +msgstr "تنظیمات شخصی" #: templates/settings-admin.php:5 templates/settings-personal.php:4 msgid "Encryption" @@ -97,76 +98,76 @@ msgstr "رمزگذاری" #: templates/settings-admin.php:10 msgid "" "Enable recovery key (allow to recover users files in case of password loss):" -msgstr "" +msgstr "فعال کردن کلید بازیابی(اجازه بازیابی فایل های کاربران در صورت از دست دادن رمزعبور):" #: templates/settings-admin.php:14 msgid "Recovery key password" -msgstr "" +msgstr "رمزعبور کلید بازیابی" #: templates/settings-admin.php:21 templates/settings-personal.php:54 msgid "Enabled" -msgstr "" +msgstr "فعال شده" #: templates/settings-admin.php:29 templates/settings-personal.php:62 msgid "Disabled" -msgstr "" +msgstr "غیرفعال شده" #: templates/settings-admin.php:34 msgid "Change recovery key password:" -msgstr "" +msgstr "تغییر رمزعبور کلید بازیابی:" #: templates/settings-admin.php:41 msgid "Old Recovery key password" -msgstr "" +msgstr "رمزعبور قدیمی کلید بازیابی " #: templates/settings-admin.php:48 msgid "New Recovery key password" -msgstr "" +msgstr "رمزعبور جدید کلید بازیابی" #: templates/settings-admin.php:53 msgid "Change Password" -msgstr "" +msgstr "تغییر رمزعبور" #: templates/settings-personal.php:11 msgid "Your private key password no longer match your log-in password:" -msgstr "" +msgstr "رمزعبور کلید خصوصی شما با رمزعبور شما یکسان نیست :" #: templates/settings-personal.php:14 msgid "Set your old private key password to your current log-in password." -msgstr "" +msgstr "رمزعبور قدیمی کلید خصوصی خود را با رمزعبور فعلی تنظیم نمایید." #: templates/settings-personal.php:16 msgid "" " If you don't remember your old password you can ask your administrator to " "recover your files." -msgstr "" +msgstr "اگر رمزعبور قدیمی را فراموش کرده اید میتوانید از مدیر خود برای بازیابی فایل هایتان درخواست نمایید." #: templates/settings-personal.php:24 msgid "Old log-in password" -msgstr "" +msgstr "رمزعبور قدیمی" #: templates/settings-personal.php:30 msgid "Current log-in password" -msgstr "" +msgstr "رمزعبور فعلی" #: templates/settings-personal.php:35 msgid "Update Private Key Password" -msgstr "" +msgstr "به روز رسانی رمزعبور کلید خصوصی" #: templates/settings-personal.php:45 msgid "Enable password recovery:" -msgstr "" +msgstr "فعال سازی بازیابی رمزعبور:" #: templates/settings-personal.php:47 msgid "" "Enabling this option will allow you to reobtain access to your encrypted " "files in case of password loss" -msgstr "" +msgstr "فعال کردن این گزینه به شما اجازه خواهد داد در صورت از دست دادن رمزعبور به فایل های رمزگذاری شده خود دسترسی داشته باشید." #: templates/settings-personal.php:63 msgid "File recovery settings updated" -msgstr "" +msgstr "تنظیمات بازیابی فایل به روز شده است." #: templates/settings-personal.php:64 msgid "Could not update file recovery" -msgstr "" +msgstr "به روز رسانی بازیابی فایل را نمی تواند انجام دهد." diff --git a/l10n/fa/files_external.po b/l10n/fa/files_external.po index e336407ad2..28f6d3cb82 100644 --- a/l10n/fa/files_external.po +++ b/l10n/fa/files_external.po @@ -3,13 +3,14 @@ # This file is distributed under the same license as the PACKAGE package. # # Translators: +# miki_mika1362 , 2013 msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" +"Last-Translator: miki_mika1362 \n" "Language-Team: Persian (http://www.transifex.com/projects/p/owncloud/language/fa/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -19,43 +20,43 @@ msgstr "" #: js/dropbox.js:7 js/dropbox.js:28 js/google.js:16 js/google.js:34 msgid "Access granted" -msgstr "" +msgstr "مجوز دسترسی صادر شد" #: js/dropbox.js:30 js/dropbox.js:96 js/dropbox.js:102 msgid "Error configuring Dropbox storage" -msgstr "" +msgstr "خطا به هنگام تنظیم فضای دراپ باکس" #: js/dropbox.js:65 js/google.js:66 msgid "Grant access" -msgstr "" +msgstr " مجوز اعطا دسترسی" #: js/dropbox.js:101 msgid "Please provide a valid Dropbox app key and secret." -msgstr "" +msgstr "لطفا یک کلید و کد امنیتی صحیح دراپ باکس وارد کنید." #: js/google.js:36 js/google.js:93 msgid "Error configuring Google Drive storage" -msgstr "" +msgstr "خطا به هنگام تنظیم فضای Google Drive" -#: lib/config.php:431 +#: lib/config.php:447 msgid "" "Warning: \"smbclient\" is not installed. Mounting of CIFS/SMB shares " "is not possible. Please ask your system administrator to install it." -msgstr "" +msgstr "خطا: \"smbclient\" نصب نشده است. نصب و راه اندازی سهام CIFS/SMB امکان پذیر نمیباشد. لطفا از مدیریت سازمان خود برای راه اندازی آن درخواست نمایید." -#: lib/config.php:434 +#: lib/config.php:450 msgid "" "Warning: The FTP support in PHP is not enabled or installed. Mounting" " of FTP shares is not possible. Please ask your system administrator to " "install it." -msgstr "" +msgstr "خطا: پشتیبانی FTP در PHP فعال نمی باشد یا نصب نشده است. نصب و راه اندازی از سهم های FTP امکان پذیر نمی باشد. لطفا از مدیر سیستم خود برای راه اندازی آن درخواست\nکنید." -#: lib/config.php:437 +#: lib/config.php:453 msgid "" "Warning: The Curl support in PHP is not enabled or installed. " "Mounting of ownCloud / WebDAV or GoogleDrive is not possible. Please ask " "your system administrator to install it." -msgstr "" +msgstr "خطا: پشتیبانی Curl فعال نمی باشد یا نصب نشده است. نصب و راه اندازی ownCloud / WebDAV یا GoogleDrive امکان پذیر نیست. لطفا از مدیر سیستم خود برای نصب آن درخواست کنید." #: templates/settings.php:3 msgid "External Storage" @@ -63,11 +64,11 @@ msgstr "حافظه خارجی" #: templates/settings.php:9 templates/settings.php:28 msgid "Folder name" -msgstr "" +msgstr "نام پوشه" #: templates/settings.php:10 msgid "External storage" -msgstr "" +msgstr "حافظه خارجی" #: templates/settings.php:11 msgid "Configuration" @@ -83,7 +84,7 @@ msgstr "قابل اجرا" #: templates/settings.php:33 msgid "Add storage" -msgstr "" +msgstr "اضافه کردن حافظه" #: templates/settings.php:90 msgid "None set" @@ -116,8 +117,8 @@ msgstr "اجازه به کاربران برای متصل کردن منابع ذ #: templates/settings.php:141 msgid "SSL root certificates" -msgstr "" +msgstr "گواهی های اصلی SSL " #: templates/settings.php:159 msgid "Import Root Certificate" -msgstr "" +msgstr "وارد کردن گواهی اصلی" diff --git a/l10n/fa/files_sharing.po b/l10n/fa/files_sharing.po index 02940cf74f..76c7865d81 100644 --- a/l10n/fa/files_sharing.po +++ b/l10n/fa/files_sharing.po @@ -3,13 +3,14 @@ # This file is distributed under the same license as the PACKAGE package. # # Translators: +# miki_mika1362 , 2013 msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:13+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" +"Last-Translator: miki_mika1362 \n" "Language-Team: Persian (http://www.transifex.com/projects/p/owncloud/language/fa/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -19,7 +20,7 @@ msgstr "" #: templates/authenticate.php:4 msgid "The password is wrong. Try again." -msgstr "" +msgstr "رمزعبور اشتباه می باشد. دوباره امتحان کنید." #: templates/authenticate.php:7 msgid "Password" @@ -39,18 +40,18 @@ msgstr "%sپوشه %s را با شما به اشتراک گذاشت" msgid "%s shared the file %s with you" msgstr "%sفایل %s را با شما به اشتراک گذاشت" -#: templates/public.php:28 templates/public.php:86 +#: templates/public.php:28 templates/public.php:90 msgid "Download" msgstr "دانلود" -#: templates/public.php:44 +#: templates/public.php:45 templates/public.php:48 msgid "Upload" msgstr "بارگزاری" -#: templates/public.php:54 +#: templates/public.php:58 msgid "Cancel upload" msgstr "متوقف کردن بار گذاری" -#: templates/public.php:83 +#: templates/public.php:87 msgid "No preview available for" msgstr "هیچگونه پیش نمایشی موجود نیست" diff --git a/l10n/fa/files_trashbin.po b/l10n/fa/files_trashbin.po index 51f44a8d33..b97ddf8e62 100644 --- a/l10n/fa/files_trashbin.po +++ b/l10n/fa/files_trashbin.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: I Robot \n" "Language-Team: Persian (http://www.transifex.com/projects/p/owncloud/language/fa/)\n" "MIME-Version: 1.0\n" diff --git a/l10n/fa/files_versions.po b/l10n/fa/files_versions.po index 1917353992..b97521439c 100644 --- a/l10n/fa/files_versions.po +++ b/l10n/fa/files_versions.po @@ -3,13 +3,14 @@ # This file is distributed under the same license as the PACKAGE package. # # Translators: +# miki_mika1362 , 2013 msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-05-25 02:01+0200\n" -"PO-Revision-Date: 2013-05-24 13:28+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-07-10 02:13+0200\n" +"PO-Revision-Date: 2013-07-09 09:50+0000\n" +"Last-Translator: miki_mika1362 \n" "Language-Team: Persian (http://www.transifex.com/projects/p/owncloud/language/fa/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -29,7 +30,7 @@ msgstr "موفقیت" #: history.php:42 #, php-format msgid "File %s was reverted to version %s" -msgstr "" +msgstr "فایل %s به نسخه %s بازگردانده شده است." #: history.php:49 msgid "failure" @@ -38,7 +39,7 @@ msgstr "شکست" #: history.php:51 #, php-format msgid "File %s could not be reverted to version %s" -msgstr "" +msgstr "فایل %s نمی تواند به نسخه %s بازگردانده شود." #: history.php:69 msgid "No old versions available" @@ -50,7 +51,7 @@ msgstr "هیچ مسیری مشخص نشده است" #: js/versions.js:6 msgid "Versions" -msgstr "" +msgstr "نسخه ها" #: templates/history.php:20 msgid "Revert a file to a previous version by clicking on its revert button" diff --git a/l10n/fa/lib.po b/l10n/fa/lib.po index 90e95940af..ecfe7c69a3 100644 --- a/l10n/fa/lib.po +++ b/l10n/fa/lib.po @@ -3,12 +3,13 @@ # This file is distributed under the same license as the PACKAGE package. # # Translators: +# miki_mika1362 , 2013 msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:13+0000\n" +"POT-Creation-Date: 2013-07-24 01:55-0400\n" +"PO-Revision-Date: 2013-07-24 05:55+0000\n" "Last-Translator: I Robot \n" "Language-Team: Persian (http://www.transifex.com/projects/p/owncloud/language/fa/)\n" "MIME-Version: 1.0\n" @@ -41,30 +42,46 @@ msgstr " برنامه ها" msgid "Admin" msgstr "مدیر" -#: defaults.php:33 -msgid "web services under your control" +#: app.php:844 +#, php-format +msgid "Failed to upgrade \"%s\"." msgstr "" -#: files.php:210 +#: defaults.php:33 +msgid "web services under your control" +msgstr "سرویس های تحت وب در کنترل شما" + +#: files.php:66 files.php:98 +#, php-format +msgid "cannot open \"%s\"" +msgstr "" + +#: files.php:226 msgid "ZIP download is turned off." msgstr "دانلود به صورت فشرده غیر فعال است" -#: files.php:211 +#: files.php:227 msgid "Files need to be downloaded one by one." msgstr "فایل ها باید به صورت یکی یکی دانلود شوند" -#: files.php:212 files.php:245 +#: files.php:228 files.php:256 msgid "Back to Files" msgstr "بازگشت به فایل ها" -#: files.php:242 +#: files.php:253 msgid "Selected files too large to generate zip file." msgstr "فایل های انتخاب شده بزرگتر از آن هستند که بتوان یک فایل فشرده تولید کرد" -#: helper.php:236 -msgid "couldn't be determined" +#: files.php:254 +msgid "" +"Download the files in smaller chunks, seperately or kindly ask your " +"administrator." msgstr "" +#: helper.php:235 +msgid "couldn't be determined" +msgstr "نمیتواند مشخص شود" + #: json.php:28 msgid "Application is not enabled" msgstr "برنامه فعال نشده است" @@ -75,7 +92,7 @@ msgstr "خطا در اعتبار سنجی" #: json.php:51 msgid "Token expired. Please reload page." -msgstr "" +msgstr "رمز منقضی شده است. لطفا دوباره صفحه را بارگذاری نمایید." #: search/provider/file.php:17 search/provider/file.php:35 msgid "Files" @@ -92,31 +109,31 @@ msgstr "تصاویر" #: setup/abstractdatabase.php:22 #, php-format msgid "%s enter the database username." -msgstr "" +msgstr "%s نام کاربری پایگاه داده را وارد نمایید." #: setup/abstractdatabase.php:25 #, php-format msgid "%s enter the database name." -msgstr "" +msgstr "%s نام پایگاه داده را وارد نمایید." #: setup/abstractdatabase.php:28 #, php-format msgid "%s you may not use dots in the database name" -msgstr "" +msgstr "%s شما نباید از نقطه در نام پایگاه داده استفاده نمایید." #: setup/mssql.php:20 #, php-format msgid "MS SQL username and/or password not valid: %s" -msgstr "" +msgstr "نام کاربری و / یا رمزعبور MS SQL معتبر نیست: %s" #: setup/mssql.php:21 setup/mysql.php:13 setup/oci.php:114 #: setup/postgresql.php:24 setup/postgresql.php:70 msgid "You need to enter either an existing account or the administrator." -msgstr "" +msgstr "شما نیاز به وارد کردن یک حساب کاربری موجود یا حساب مدیریتی دارید." #: setup/mysql.php:12 msgid "MySQL username and/or password not valid" -msgstr "" +msgstr "نام کاربری و / یا رمزعبور MySQL معتبر نیست." #: setup/mysql.php:67 setup/oci.php:54 setup/oci.php:121 setup/oci.php:147 #: setup/oci.php:154 setup/oci.php:165 setup/oci.php:172 setup/oci.php:181 @@ -125,7 +142,7 @@ msgstr "" #: setup/postgresql.php:125 setup/postgresql.php:134 #, php-format msgid "DB Error: \"%s\"" -msgstr "" +msgstr "خطای پایگاه داده: \"%s\"" #: setup/mysql.php:68 setup/oci.php:55 setup/oci.php:122 setup/oci.php:148 #: setup/oci.php:155 setup/oci.php:166 setup/oci.php:182 setup/oci.php:190 @@ -133,114 +150,118 @@ msgstr "" #: setup/postgresql.php:116 setup/postgresql.php:126 setup/postgresql.php:135 #, php-format msgid "Offending command was: \"%s\"" -msgstr "" +msgstr "دستور متخلف عبارت است از: \"%s\"" #: setup/mysql.php:85 #, php-format msgid "MySQL user '%s'@'localhost' exists already." -msgstr "" +msgstr "کاربرMySQL '%s'@'localhost' درحال حاضر موجود است." #: setup/mysql.php:86 msgid "Drop this user from MySQL" -msgstr "" +msgstr "این کاربر را از MySQL حذف نمایید." #: setup/mysql.php:91 #, php-format msgid "MySQL user '%s'@'%%' already exists" -msgstr "" +msgstr "کاربر'%s'@'%%' MySQL در حال حاضر موجود است." #: setup/mysql.php:92 msgid "Drop this user from MySQL." -msgstr "" +msgstr "این کاربر را از MySQL حذف نمایید." #: setup/oci.php:34 msgid "Oracle connection could not be established" -msgstr "" +msgstr "ارتباط اراکل نمیتواند برقرار باشد." #: setup/oci.php:41 setup/oci.php:113 msgid "Oracle username and/or password not valid" -msgstr "" +msgstr "نام کاربری و / یا رمزعبور اراکل معتبر نیست." #: setup/oci.php:173 setup/oci.php:205 #, php-format msgid "Offending command was: \"%s\", name: %s, password: %s" -msgstr "" +msgstr "دستور متخلف عبارت است از: \"%s\"، نام: \"%s\"، رمزعبور:\"%s\"" #: setup/postgresql.php:23 setup/postgresql.php:69 msgid "PostgreSQL username and/or password not valid" -msgstr "" +msgstr "PostgreSQL نام کاربری و / یا رمزعبور معتبر نیست." -#: setup.php:42 +#: setup.php:28 msgid "Set an admin username." -msgstr "" +msgstr "یک نام کاربری برای مدیر تنظیم نمایید." -#: setup.php:45 +#: setup.php:31 msgid "Set an admin password." -msgstr "" +msgstr "یک رمزعبور برای مدیر تنظیم نمایید." -#: setup.php:198 +#: setup.php:184 msgid "" "Your web server is not yet properly setup to allow files synchronization " "because the WebDAV interface seems to be broken." msgstr "احتمالاً وب سرور شما طوری تنظیم نشده است که اجازه ی همگام سازی فایلها را بدهد زیرا به نظر میرسد رابط WebDAV از کار افتاده است." -#: setup.php:199 +#: setup.php:185 #, php-format msgid "Please double check the installation guides." msgstr "لطفاً دوباره راهنمای نصبرا بررسی کنید." -#: template.php:113 +#: template/functions.php:80 msgid "seconds ago" msgstr "ثانیه‌ها پیش" -#: template.php:114 +#: template/functions.php:81 msgid "1 minute ago" msgstr "1 دقیقه پیش" -#: template.php:115 +#: template/functions.php:82 #, php-format msgid "%d minutes ago" msgstr "%d دقیقه پیش" -#: template.php:116 +#: template/functions.php:83 msgid "1 hour ago" msgstr "1 ساعت پیش" -#: template.php:117 +#: template/functions.php:84 #, php-format msgid "%d hours ago" msgstr "%d ساعت پیش" -#: template.php:118 +#: template/functions.php:85 msgid "today" msgstr "امروز" -#: template.php:119 +#: template/functions.php:86 msgid "yesterday" msgstr "دیروز" -#: template.php:120 +#: template/functions.php:87 #, php-format msgid "%d days ago" msgstr "%d روز پیش" -#: template.php:121 +#: template/functions.php:88 msgid "last month" msgstr "ماه قبل" -#: template.php:122 +#: template/functions.php:89 #, php-format msgid "%d months ago" msgstr "%dماه پیش" -#: template.php:123 +#: template/functions.php:90 msgid "last year" msgstr "سال قبل" -#: template.php:124 +#: template/functions.php:91 msgid "years ago" msgstr "سال‌های قبل" +#: template.php:296 +msgid "Caused by:" +msgstr "" + #: vcategories.php:188 vcategories.php:249 #, php-format msgid "Could not find category \"%s\"" diff --git a/l10n/fa/settings.po b/l10n/fa/settings.po index c2575baf27..69a222c9ea 100644 --- a/l10n/fa/settings.po +++ b/l10n/fa/settings.po @@ -3,12 +3,13 @@ # This file is distributed under the same license as the PACKAGE package. # # Translators: +# miki_mika1362 , 2013 msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:55+0000\n" "Last-Translator: I Robot \n" "Language-Team: Persian (http://www.transifex.com/projects/p/owncloud/language/fa/)\n" "MIME-Version: 1.0\n" @@ -28,7 +29,7 @@ msgstr "خطا در اعتبار سنجی" #: ajax/changedisplayname.php:31 msgid "Your display name has been changed." -msgstr "" +msgstr "نام نمایش شما تغییر یافته است." #: ajax/changedisplayname.php:34 msgid "Unable to change display name" @@ -209,7 +210,7 @@ msgstr "ماژول 'fileinfo' PHP از کار افتاده است.ما اکید #: templates/admin.php:60 msgid "Locale not working" -msgstr "" +msgstr "زبان محلی کار نمی کند." #: templates/admin.php:65 #, php-format @@ -235,7 +236,7 @@ msgstr "این سرور OwnCloud ارتباط اینترنتی ندارد.این #: templates/admin.php:94 msgid "Cron" -msgstr "" +msgstr "زمانبند" #: templates/admin.php:103 msgid "Execute one task with each page loaded" @@ -245,13 +246,13 @@ msgstr "اجرای یک وظیفه با هر بار بارگذاری صفحه" msgid "" "cron.php is registered at a webcron service. Call the cron.php page in the " "owncloud root once a minute over http." -msgstr "" +msgstr "cron.php در یک سرویس webcron ثبت شده است. تماس یک بار در دقیقه بر روی http با صفحه cron.php در ریشه owncloud ." #: templates/admin.php:123 msgid "" "Use systems cron service. Call the cron.php file in the owncloud folder via " "a system cronjob once a minute." -msgstr "" +msgstr "استفاده از سیستم های سرویس cron . تماس یک بار در دقیقه با فایل cron.php در پوشه owncloud از طریق یک سیستم cronjob ." #: templates/admin.php:130 msgid "Sharing" @@ -273,62 +274,71 @@ msgstr "اجازه ی لینک ها" msgid "Allow users to share items to the public with links" msgstr "اجازه دادن به کاربران برای اشتراک گذاری آیتم ها با عموم از طریق پیوند ها" -#: templates/admin.php:152 +#: templates/admin.php:153 +msgid "Allow public uploads" +msgstr "" + +#: templates/admin.php:154 +msgid "" +"Allow users to enable others to upload into their publicly shared folders" +msgstr "" + +#: templates/admin.php:162 msgid "Allow resharing" msgstr "مجوز اشتراک گذاری مجدد" -#: templates/admin.php:153 +#: templates/admin.php:163 msgid "Allow users to share items shared with them again" msgstr "اجازه به کاربران برای اشتراک گذاری دوباره با آنها" -#: templates/admin.php:160 +#: templates/admin.php:170 msgid "Allow users to share with anyone" msgstr "اجازه به کابران برای اشتراک گذاری با همه" -#: templates/admin.php:163 +#: templates/admin.php:173 msgid "Allow users to only share with users in their groups" msgstr "اجازه به کاربران برای اشتراک گذاری ، تنها با دیگر کابران گروه خودشان" -#: templates/admin.php:170 +#: templates/admin.php:180 msgid "Security" msgstr "امنیت" -#: templates/admin.php:183 +#: templates/admin.php:193 msgid "Enforce HTTPS" msgstr "وادار کردن HTTPS" -#: templates/admin.php:184 +#: templates/admin.php:194 msgid "" "Enforces the clients to connect to ownCloud via an encrypted connection." msgstr "وادار کردن مشتریان برای ارتباط با ownCloud از طریق رمزگذاری ارتباط" -#: templates/admin.php:187 +#: templates/admin.php:197 msgid "" "Please connect to this ownCloud instance via HTTPS to enable or disable the " "SSL enforcement." -msgstr "" +msgstr "از طریق HTTPS به این نسخه از ownCloud متصل شوید تا بتوانید SSL را فعال یا غیر فعال نمایید." -#: templates/admin.php:197 +#: templates/admin.php:207 msgid "Log" msgstr "کارنامه" -#: templates/admin.php:198 +#: templates/admin.php:208 msgid "Log level" -msgstr "" +msgstr "سطح ورود" -#: templates/admin.php:229 +#: templates/admin.php:239 msgid "More" msgstr "بیش‌تر" -#: templates/admin.php:230 +#: templates/admin.php:240 msgid "Less" msgstr "کم‌تر" -#: templates/admin.php:236 templates/personal.php:116 +#: templates/admin.php:246 templates/personal.php:116 msgid "Version" msgstr "نسخه" -#: templates/admin.php:240 templates/personal.php:119 +#: templates/admin.php:250 templates/personal.php:119 msgid "" "Developed by the ownCloud community, the access your Files via WebDAV" +msgstr "استفاده ابن آدرس برای دسترسی فایل های شما از طریق WebDAV " #: templates/users.php:21 msgid "Login Name" @@ -465,13 +478,13 @@ msgstr "ایجاد کردن" #: templates/users.php:36 msgid "Admin Recovery Password" -msgstr "" +msgstr "مدیریت بازیابی رمز عبور" #: templates/users.php:37 templates/users.php:38 msgid "" "Enter the recovery password in order to recover the users files during " "password change" -msgstr "" +msgstr "در حین تغییر رمز عبور به منظور بازیابی فایل های کاربران، رمز عبور بازیابی را وارد کنید" #: templates/users.php:42 msgid "Default Storage" diff --git a/l10n/fa/user_ldap.po b/l10n/fa/user_ldap.po index db35141c3b..89f89f41c9 100644 --- a/l10n/fa/user_ldap.po +++ b/l10n/fa/user_ldap.po @@ -3,13 +3,14 @@ # This file is distributed under the same license as the PACKAGE package. # # Translators: +# miki_mika1362 , 2013 msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" +"Last-Translator: miki_mika1362 \n" "Language-Team: Persian (http://www.transifex.com/projects/p/owncloud/language/fa/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -19,7 +20,7 @@ msgstr "" #: ajax/clearMappings.php:34 msgid "Failed to clear the mappings." -msgstr "" +msgstr "عدم موفقیت در پاک کردن نگاشت." #: ajax/deleteConfiguration.php:34 msgid "Failed to delete the server configuration" @@ -33,7 +34,7 @@ msgstr "پیکربندی معتبر است و ارتباط می تواند بر msgid "" "The configuration is valid, but the Bind failed. Please check the server " "settings and credentials." -msgstr "" +msgstr "پیکربندی معتبراست، اما اتصال شکست خورد. لطفا تنظیمات و اعتبارهای سرور را بررسی کنید." #: ajax/testConfiguration.php:43 msgid "" @@ -55,15 +56,15 @@ msgstr "آیا تنظیمات ذخیره شود ؟" #: js/settings.js:97 msgid "Cannot add server configuration" -msgstr "" +msgstr "نمی توان پیکربندی سرور را اضافه نمود" #: js/settings.js:111 msgid "mappings cleared" -msgstr "" +msgstr "نگاشت پاک شده است" #: js/settings.js:112 msgid "Success" -msgstr "" +msgstr "موفقیت" #: js/settings.js:117 msgid "Error" @@ -117,19 +118,19 @@ msgstr "" #: templates/settings.php:40 msgid "Base DN" -msgstr "" +msgstr "پایه DN" #: templates/settings.php:41 msgid "One Base DN per line" -msgstr "" +msgstr "یک پایه DN در هر خط" #: templates/settings.php:42 msgid "You can specify Base DN for users and groups in the Advanced tab" -msgstr "" +msgstr "شما می توانید پایه DN را برای کاربران و گروه ها در زبانه Advanced مشخص کنید." #: templates/settings.php:44 msgid "User DN" -msgstr "" +msgstr "کاربر DN" #: templates/settings.php:46 msgid "" @@ -144,11 +145,11 @@ msgstr "گذرواژه" #: templates/settings.php:50 msgid "For anonymous access, leave DN and Password empty." -msgstr "" +msgstr "برای دسترسی ناشناس، DN را رها نموده و رمزعبور را خالی بگذارید." #: templates/settings.php:51 msgid "User Login Filter" -msgstr "" +msgstr "فیلتر ورودی کاربر" #: templates/settings.php:54 #, php-format @@ -184,19 +185,19 @@ msgstr "" #: templates/settings.php:65 msgid "without any placeholder, e.g. \"objectClass=posixGroup\"." -msgstr "" +msgstr "بدون هیچ گونه حفره یا سوراخ، به عنوان مثال، \"objectClass = posixGroup\"." #: templates/settings.php:69 msgid "Connection Settings" -msgstr "" +msgstr "تنظیمات اتصال" #: templates/settings.php:71 msgid "Configuration Active" -msgstr "" +msgstr "پیکربندی فعال" #: templates/settings.php:71 msgid "When unchecked, this configuration will be skipped." -msgstr "" +msgstr "زمانیکه انتخاب نشود، این پیکربندی نادیده گرفته خواهد شد." #: templates/settings.php:72 msgid "Port" @@ -204,7 +205,7 @@ msgstr "درگاه" #: templates/settings.php:73 msgid "Backup (Replica) Host" -msgstr "" +msgstr "پشتیبان گیری (بدل) میزبان" #: templates/settings.php:73 msgid "" @@ -214,31 +215,31 @@ msgstr "" #: templates/settings.php:74 msgid "Backup (Replica) Port" -msgstr "" +msgstr "پشتیبان گیری (بدل) پورت" #: templates/settings.php:75 msgid "Disable Main Server" -msgstr "" +msgstr "غیر فعال کردن سرور اصلی" #: templates/settings.php:75 msgid "When switched on, ownCloud will only connect to the replica server." -msgstr "" +msgstr "وقتی روشن می شود، ownCloud تنها با سرور ماکت ارتباط برقرار می کند." #: templates/settings.php:76 msgid "Use TLS" -msgstr "" +msgstr "استفاده ازTLS" #: templates/settings.php:76 msgid "Do not use it additionally for LDAPS connections, it will fail." -msgstr "" +msgstr "علاوه بر این برای اتصالات LDAPS از آن استفاده نکنید، با شکست مواجه خواهد شد." #: templates/settings.php:77 msgid "Case insensitve LDAP server (Windows)" -msgstr "" +msgstr "غیر حساس به بزرگی و کوچکی حروف LDAP سرور (ویندوز)" #: templates/settings.php:78 msgid "Turn off SSL certificate validation." -msgstr "" +msgstr "غیرفعال کردن اعتبار گواهی نامه SSL ." #: templates/settings.php:78 msgid "" @@ -248,7 +249,7 @@ msgstr "" #: templates/settings.php:78 msgid "Not recommended, use for testing only." -msgstr "" +msgstr "توصیه نمی شود، تنها برای آزمایش استفاده کنید." #: templates/settings.php:79 msgid "Cache Time-To-Live" @@ -260,11 +261,11 @@ msgstr "" #: templates/settings.php:81 msgid "Directory Settings" -msgstr "" +msgstr "تنظیمات پوشه" #: templates/settings.php:83 msgid "User Display Name Field" -msgstr "" +msgstr "فیلد نام کاربر" #: templates/settings.php:83 msgid "The LDAP attribute to use to generate the user`s ownCloud name." @@ -272,23 +273,23 @@ msgstr "" #: templates/settings.php:84 msgid "Base User Tree" -msgstr "" +msgstr "کاربر درخت پایه" #: templates/settings.php:84 msgid "One User Base DN per line" -msgstr "" +msgstr "یک کاربر پایه DN در هر خط" #: templates/settings.php:85 msgid "User Search Attributes" -msgstr "" +msgstr "ویژگی های جستجوی کاربر" #: templates/settings.php:85 templates/settings.php:88 msgid "Optional; one attribute per line" -msgstr "" +msgstr "اختیاری؛ یک ویژگی در هر خط" #: templates/settings.php:86 msgid "Group Display Name Field" -msgstr "" +msgstr "فیلد نام گروه" #: templates/settings.php:86 msgid "The LDAP attribute to use to generate the groups`s ownCloud name." @@ -296,31 +297,31 @@ msgstr "" #: templates/settings.php:87 msgid "Base Group Tree" -msgstr "" +msgstr "گروه درخت پایه " #: templates/settings.php:87 msgid "One Group Base DN per line" -msgstr "" +msgstr "یک گروه پایه DN در هر خط" #: templates/settings.php:88 msgid "Group Search Attributes" -msgstr "" +msgstr "گروه صفات جستجو" #: templates/settings.php:89 msgid "Group-Member association" -msgstr "" +msgstr "انجمن گروه کاربران" #: templates/settings.php:91 msgid "Special Attributes" -msgstr "" +msgstr "ویژگی های مخصوص" #: templates/settings.php:93 msgid "Quota Field" -msgstr "" +msgstr "سهمیه بندی انجام نشد." #: templates/settings.php:94 msgid "Quota Default" -msgstr "" +msgstr "سهمیه بندی پیش فرض" #: templates/settings.php:94 msgid "in bytes" @@ -328,21 +329,21 @@ msgstr "در بایت" #: templates/settings.php:95 msgid "Email Field" -msgstr "" +msgstr "ایمیل ارسال نشد." #: templates/settings.php:96 msgid "User Home Folder Naming Rule" -msgstr "" +msgstr "قانون نامگذاری پوشه خانه کاربر" #: templates/settings.php:96 msgid "" "Leave empty for user name (default). Otherwise, specify an LDAP/AD " "attribute." -msgstr "" +msgstr "خالی گذاشتن برای نام کاربری (پیش فرض). در غیر این صورت، تعیین یک ویژگی LDAP/AD." #: templates/settings.php:101 msgid "Internal Username" -msgstr "" +msgstr "نام کاربری داخلی" #: templates/settings.php:102 msgid "" @@ -358,15 +359,15 @@ msgid "" "achieve a similar behaviour as before ownCloud 5 enter the user display name" " attribute in the following field. Leave it empty for default behaviour. " "Changes will have effect only on newly mapped (added) LDAP users." -msgstr "" +msgstr "به طور پیش فرض نام کاربری داخلی از ویژگی UUID ایجاد خواهد شد. این اطمینان حاصل می کند که نام کاربری منحصر به فرد است و کاراکترها نیاز به تبدیل ندارند. نام کاربری داخلی دارای محدودیت است که فقط این کاراکتر ها مجاز می باشند: [ a-zA-Z0-9_.@- ]. بقیه کاراکترها با مکاتبات ASCII آنها جایگزین میشود یا به سادگی حذف شوند. در برخورد یک عدد اضافه خواهد شد / افزایش یافته است. نام کاربری داخلی برای شناسایی یک کاربر داخلی استفاده می شود.همچنین این نام به طور پیش فرض برای پوشه خانه کاربر در ownCloud. همچنین یک پورت برای آدرس های دور از راه است، به عنوان مثال برای تمام خدمات *DAV. با این تنظیمات، رفتار پیش فرض می تواند لغو گردد. برای رسیدن به یک رفتار مشابه به عنوان قبل، ownCloud 5 وارد نمایش ویژگی نام کاربر در زمینه های زیر است. آن را برای رفتار پیش فرض خالی بگذارید. تغییرات اثربخش خواهد بود فقط در نگاشت جدید(اضافه شده) کاربران LDAP ." #: templates/settings.php:103 msgid "Internal Username Attribute:" -msgstr "" +msgstr "ویژگی نام کاربری داخلی:" #: templates/settings.php:104 msgid "Override UUID detection" -msgstr "" +msgstr "نادیده گرفتن تشخیص UUID " #: templates/settings.php:105 msgid "" @@ -377,15 +378,15 @@ msgid "" "You must make sure that the attribute of your choice can be fetched for both" " users and groups and it is unique. Leave it empty for default behaviour. " "Changes will have effect only on newly mapped (added) LDAP users and groups." -msgstr "" +msgstr "به طور پیش فرض، ownCloud ویژگی UUID را به صورت اتوماتیک تشخیص می دهد. ویژگی UUID برای شناسایی کاربران و گروه های LDAP استفاده می شود. همچنین، نام کاربری داخلی بر پایه UUID ایجاد خواهد شد، در غیر اینصورت در بالا مشخص نشده باشد. شما می توانید تنظیمات را لغو کنید و یک ویژگی از انتخابتان را تصویب کنید. شما باید مطمئن شوید که ویژگی انتخاب شده شما می تواند آورده شود برای کاربران و گروه ها و آن منحصر به فرد است. آن را برای رفتار پیش فرض ترک کن. تغییرات فقط بر روی نگاشت جدید (اضافه شده) کاربران و گروه های LDAP ." #: templates/settings.php:106 msgid "UUID Attribute:" -msgstr "" +msgstr "صفت UUID:" #: templates/settings.php:107 msgid "Username-LDAP User Mapping" -msgstr "" +msgstr "نام کاربری - نگاشت کاربر LDAP " #: templates/settings.php:108 msgid "" @@ -400,19 +401,19 @@ msgid "" "configuration sensitive, it affects all LDAP configurations! Do never clear " "the mappings in a production environment. Only clear mappings in a testing " "or experimental stage." -msgstr "" +msgstr "ownCloud از نام های کاربری برای ذخیره و تعیین داده (متا) استفاده می کند. به منظور دقت شناسایی و به رسمیت شناختن کاربران، هر کاربرLDAP باید یک نام کاربری داخلی داشته باشد. این نیازمند یک نگاشت از نام کاربری ownCloud به کاربرLDAP است. نام کاربری ساخته شده به UUID از کاربرLDAP نگاشته شده است. علاوه بر این DN پنهانی نیز بخوبی برای کاهش تعامل LDAP است، اما برای شناسایی مورد استفاده قرار نمی گیرد. اگر DN تغییر کند، تغییرات توسط ownCloud یافت خواهند شد. نام داخلی ownCloud در تمام ownCloud استفاده می شود. پاک سازی نگاشت ها در همه جا باقی مانده باشد. پیکربندی پاک سازی نگاشت ها حساس نیست، آن تحت تاثیر تمام پیکربندی های LDAP است! آیا هرگز نگاشت را در یک محیط تولید پاک کرده اید. نگاشت ها را فقط در وضعیت آزمایشی یا تجربی پاک کن." #: templates/settings.php:109 msgid "Clear Username-LDAP User Mapping" -msgstr "" +msgstr "پاک کردن نام کاربری- LDAP نگاشت کاربر " #: templates/settings.php:109 msgid "Clear Groupname-LDAP Group Mapping" -msgstr "" +msgstr "پاک کردن نام گروه -LDAP گروه نقشه برداری" #: templates/settings.php:111 msgid "Test Configuration" -msgstr "" +msgstr "امتحان پیکربندی" #: templates/settings.php:111 msgid "Help" diff --git a/l10n/fa/user_webdavauth.po b/l10n/fa/user_webdavauth.po index 1310a3b5e6..fb3e2b908a 100644 --- a/l10n/fa/user_webdavauth.po +++ b/l10n/fa/user_webdavauth.po @@ -3,13 +3,14 @@ # This file is distributed under the same license as the PACKAGE package. # # Translators: +# miki_mika1362 , 2013 msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-06-15 01:59+0200\n" -"PO-Revision-Date: 2013-06-15 00:00+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-07-17 02:19-0400\n" +"PO-Revision-Date: 2013-07-17 04:30+0000\n" +"Last-Translator: miki_mika1362 \n" "Language-Team: Persian (http://www.transifex.com/projects/p/owncloud/language/fa/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -19,15 +20,15 @@ msgstr "" #: templates/settings.php:3 msgid "WebDAV Authentication" -msgstr "" +msgstr "اعتبار سنجی WebDAV " #: templates/settings.php:4 msgid "URL: " -msgstr "" +msgstr "آدرس:" #: templates/settings.php:7 msgid "" "ownCloud will send the user credentials to this URL. This plugin checks the " "response and will interpret the HTTP statuscodes 401 and 403 as invalid " "credentials, and all other responses as valid credentials." -msgstr "" +msgstr "ownCloud اعتبار کاربر را به این آدرس ارسال می کند. این افزونه پاسخ ها را بررسی می کند و کد وضعیت 401 و 403 HTTP را به عنوان اعتبار نامعتبر، و تمام پاسخ های دیگر را به عنوان اعتبار معتبر تفسیر می کند." diff --git a/l10n/fi_FI/core.po b/l10n/fi_FI/core.po index 61bc0ed86b..7a74ab0c6a 100644 --- a/l10n/fi_FI/core.po +++ b/l10n/fi_FI/core.po @@ -8,8 +8,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:12+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:04+0000\n" "Last-Translator: I Robot \n" "Language-Team: Finnish (Finland) (http://www.transifex.com/projects/p/owncloud/language/fi_FI/)\n" "MIME-Version: 1.0\n" @@ -138,59 +138,59 @@ msgstr "marraskuu" msgid "December" msgstr "joulukuu" -#: js/js.js:289 +#: js/js.js:293 msgid "Settings" msgstr "Asetukset" -#: js/js.js:721 +#: js/js.js:715 msgid "seconds ago" msgstr "sekuntia sitten" -#: js/js.js:722 +#: js/js.js:716 msgid "1 minute ago" msgstr "1 minuutti sitten" -#: js/js.js:723 +#: js/js.js:717 msgid "{minutes} minutes ago" msgstr "{minutes} minuuttia sitten" -#: js/js.js:724 +#: js/js.js:718 msgid "1 hour ago" msgstr "1 tunti sitten" -#: js/js.js:725 +#: js/js.js:719 msgid "{hours} hours ago" msgstr "{hours} tuntia sitten" -#: js/js.js:726 +#: js/js.js:720 msgid "today" msgstr "tänään" -#: js/js.js:727 +#: js/js.js:721 msgid "yesterday" msgstr "eilen" -#: js/js.js:728 +#: js/js.js:722 msgid "{days} days ago" msgstr "{days} päivää sitten" -#: js/js.js:729 +#: js/js.js:723 msgid "last month" msgstr "viime kuussa" -#: js/js.js:730 +#: js/js.js:724 msgid "{months} months ago" msgstr "{months} kuukautta sitten" -#: js/js.js:731 +#: js/js.js:725 msgid "months ago" msgstr "kuukautta sitten" -#: js/js.js:732 +#: js/js.js:726 msgid "last year" msgstr "viime vuonna" -#: js/js.js:733 +#: js/js.js:727 msgid "years ago" msgstr "vuotta sitten" @@ -226,8 +226,8 @@ msgstr "" #: js/oc-vcategories.js:14 js/oc-vcategories.js:80 js/oc-vcategories.js:95 #: js/oc-vcategories.js:110 js/oc-vcategories.js:125 js/oc-vcategories.js:136 #: js/oc-vcategories.js:172 js/oc-vcategories.js:189 js/oc-vcategories.js:195 -#: js/oc-vcategories.js:199 js/share.js:136 js/share.js:143 js/share.js:618 -#: js/share.js:630 +#: js/oc-vcategories.js:199 js/share.js:136 js/share.js:143 js/share.js:625 +#: js/share.js:637 msgid "Error" msgstr "Virhe" @@ -247,7 +247,7 @@ msgstr "Jaettu" msgid "Share" msgstr "Jaa" -#: js/share.js:125 js/share.js:658 +#: js/share.js:125 js/share.js:665 msgid "Error while sharing" msgstr "Virhe jaettaessa" @@ -267,114 +267,114 @@ msgstr "Jaettu sinun ja ryhmän {group} kanssa käyttäjän {owner} toimesta" msgid "Shared with you by {owner}" msgstr "Jaettu kanssasi käyttäjän {owner} toimesta" -#: js/share.js:172 +#: js/share.js:177 msgid "Share with" msgstr "Jaa" -#: js/share.js:177 +#: js/share.js:182 msgid "Share with link" msgstr "Jaa linkillä" -#: js/share.js:180 +#: js/share.js:185 msgid "Password protect" msgstr "Suojaa salasanalla" -#: js/share.js:182 templates/installation.php:54 templates/login.php:26 +#: js/share.js:187 templates/installation.php:54 templates/login.php:26 msgid "Password" msgstr "Salasana" -#: js/share.js:186 +#: js/share.js:192 msgid "Allow Public Upload" msgstr "" -#: js/share.js:189 +#: js/share.js:196 msgid "Email link to person" msgstr "Lähetä linkki sähköpostitse" -#: js/share.js:190 +#: js/share.js:197 msgid "Send" msgstr "Lähetä" -#: js/share.js:195 +#: js/share.js:202 msgid "Set expiration date" msgstr "Aseta päättymispäivä" -#: js/share.js:196 +#: js/share.js:203 msgid "Expiration date" msgstr "Päättymispäivä" -#: js/share.js:228 +#: js/share.js:235 msgid "Share via email:" msgstr "Jaa sähköpostilla:" -#: js/share.js:230 +#: js/share.js:237 msgid "No people found" msgstr "Henkilöitä ei löytynyt" -#: js/share.js:268 +#: js/share.js:275 msgid "Resharing is not allowed" msgstr "Jakaminen uudelleen ei ole salittu" -#: js/share.js:304 +#: js/share.js:311 msgid "Shared in {item} with {user}" msgstr "" -#: js/share.js:325 +#: js/share.js:332 msgid "Unshare" msgstr "Peru jakaminen" -#: js/share.js:337 +#: js/share.js:344 msgid "can edit" msgstr "voi muokata" -#: js/share.js:339 +#: js/share.js:346 msgid "access control" msgstr "Pääsyn hallinta" -#: js/share.js:342 +#: js/share.js:349 msgid "create" msgstr "luo" -#: js/share.js:345 +#: js/share.js:352 msgid "update" msgstr "päivitä" -#: js/share.js:348 +#: js/share.js:355 msgid "delete" msgstr "poista" -#: js/share.js:351 +#: js/share.js:358 msgid "share" msgstr "jaa" -#: js/share.js:385 js/share.js:605 +#: js/share.js:392 js/share.js:612 msgid "Password protected" msgstr "Salasanasuojattu" -#: js/share.js:618 +#: js/share.js:625 msgid "Error unsetting expiration date" msgstr "Virhe purettaessa eräpäivää" -#: js/share.js:630 +#: js/share.js:637 msgid "Error setting expiration date" msgstr "Virhe päättymispäivää asettaessa" -#: js/share.js:645 +#: js/share.js:652 msgid "Sending ..." msgstr "Lähetetään..." -#: js/share.js:656 +#: js/share.js:663 msgid "Email sent" msgstr "Sähköposti lähetetty" -#: js/update.js:14 +#: js/update.js:17 msgid "" "The update was unsuccessful. Please report this issue to the ownCloud " "community." msgstr "Päivitys epäonnistui. Ilmoita ongelmasta ownCloud-yhteisölle." -#: js/update.js:18 +#: js/update.js:21 msgid "The update was successful. Redirecting you to ownCloud now." msgstr "Päivitys onnistui. Selain ohjautuu nyt ownCloudiisi." @@ -466,7 +466,7 @@ msgstr "Pääsy estetty" msgid "Cloud not found" msgstr "Pilveä ei löydy" -#: templates/altmail.php:2 +#: templates/altmail.php:4 #, php-format msgid "" "Hey there,\n" @@ -477,10 +477,6 @@ msgid "" "Cheers!" msgstr "Hei!\n\n%s jakoi kohteen %s kanssasi.\nKatso se tästä: %s\n\nNäkemiin!" -#: templates/altmail.php:7 templates/mail.php:24 -msgid "web services under your control" -msgstr "verkkopalvelut hallinnassasi" - #: templates/edit_categories_dialog.php:4 msgid "Edit categories" msgstr "Muokkaa luokkia" @@ -612,7 +608,7 @@ msgstr "Kirjaudu sisään" msgid "Alternative Logins" msgstr "Vaihtoehtoiset kirjautumiset" -#: templates/mail.php:15 +#: templates/mail.php:16 #, php-format msgid "" "Hey there,

    just letting you know that %s shared »%s« with you.
    , 2013 msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:12+0200\n" -"PO-Revision-Date: 2013-07-04 07:55+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:04+0000\n" "Last-Translator: I Robot \n" "Language-Team: Finnish (Finland) (http://www.transifex.com/projects/p/owncloud/language/fi_FI/)\n" "MIME-Version: 1.0\n" @@ -27,54 +28,54 @@ msgstr "Kohteen %s siirto ei onnistunut - Tiedosto samalla nimellä on jo olemas msgid "Could not move %s" msgstr "Kohteen %s siirto ei onnistunut" -#: ajax/upload.php:16 ajax/upload.php:39 +#: ajax/upload.php:16 ajax/upload.php:45 msgid "Unable to set upload directory." msgstr "" -#: ajax/upload.php:23 +#: ajax/upload.php:22 msgid "Invalid Token" msgstr "" -#: ajax/upload.php:55 +#: ajax/upload.php:59 msgid "No file was uploaded. Unknown error" msgstr "Tiedostoa ei lähetetty. Tuntematon virhe" -#: ajax/upload.php:62 +#: ajax/upload.php:66 msgid "There is no error, the file uploaded with success" msgstr "Ei virheitä, tiedosto lähetettiin onnistuneesti" -#: ajax/upload.php:63 +#: ajax/upload.php:67 msgid "" "The uploaded file exceeds the upload_max_filesize directive in php.ini: " msgstr "Lähetetyn tiedoston koko ylittää php.ini-tiedoston upload_max_filesize-säännön:" -#: ajax/upload.php:65 +#: ajax/upload.php:69 msgid "" "The uploaded file exceeds the MAX_FILE_SIZE directive that was specified in " "the HTML form" msgstr "Ladattavan tiedoston maksimikoko ylittää MAX_FILE_SIZE dirketiivin, joka on määritelty HTML-lomakkeessa" -#: ajax/upload.php:66 +#: ajax/upload.php:70 msgid "The uploaded file was only partially uploaded" msgstr "Tiedoston lähetys onnistui vain osittain" -#: ajax/upload.php:67 +#: ajax/upload.php:71 msgid "No file was uploaded" msgstr "Yhtäkään tiedostoa ei lähetetty" -#: ajax/upload.php:68 +#: ajax/upload.php:72 msgid "Missing a temporary folder" msgstr "Tilapäiskansio puuttuu" -#: ajax/upload.php:69 +#: ajax/upload.php:73 msgid "Failed to write to disk" msgstr "Levylle kirjoitus epäonnistui" -#: ajax/upload.php:87 +#: ajax/upload.php:91 msgid "Not enough storage available" msgstr "Tallennustilaa ei ole riittävästi käytettävissä" -#: ajax/upload.php:119 +#: ajax/upload.php:123 msgid "Invalid directory." msgstr "Virheellinen kansio." @@ -128,43 +129,43 @@ msgstr "Poista" msgid "Rename" msgstr "Nimeä uudelleen" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:464 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:465 msgid "Pending" msgstr "Odottaa" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "{new_name} already exists" msgstr "{new_name} on jo olemassa" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "replace" msgstr "korvaa" -#: js/filelist.js:302 +#: js/filelist.js:303 msgid "suggest name" msgstr "ehdota nimeä" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "cancel" msgstr "peru" -#: js/filelist.js:349 +#: js/filelist.js:350 msgid "replaced {new_name} with {old_name}" msgstr "" -#: js/filelist.js:349 +#: js/filelist.js:350 msgid "undo" msgstr "kumoa" -#: js/filelist.js:374 +#: js/filelist.js:375 msgid "perform delete operation" msgstr "suorita poistotoiminto" -#: js/filelist.js:456 +#: js/filelist.js:457 msgid "1 file uploading" msgstr "" -#: js/filelist.js:459 js/filelist.js:517 +#: js/filelist.js:460 js/filelist.js:518 msgid "files uploading" msgstr "" @@ -212,19 +213,19 @@ msgstr "Koko" msgid "Modified" msgstr "Muokattu" -#: js/files.js:765 +#: js/files.js:763 msgid "1 folder" msgstr "1 kansio" -#: js/files.js:767 +#: js/files.js:765 msgid "{count} folders" msgstr "{count} kansiota" -#: js/files.js:775 +#: js/files.js:773 msgid "1 file" msgstr "1 tiedosto" -#: js/files.js:777 +#: js/files.js:775 msgid "{count} files" msgstr "{count} tiedostoa" @@ -327,19 +328,19 @@ msgstr "Tiedostoja tarkistetaan, odota hetki." msgid "Current scanning" msgstr "Tämänhetkinen tutkinta" -#: templates/part.list.php:78 +#: templates/part.list.php:74 msgid "directory" -msgstr "" +msgstr "kansio" -#: templates/part.list.php:80 +#: templates/part.list.php:76 msgid "directories" -msgstr "" +msgstr "kansiota" -#: templates/part.list.php:89 +#: templates/part.list.php:85 msgid "file" msgstr "tiedosto" -#: templates/part.list.php:91 +#: templates/part.list.php:87 msgid "files" msgstr "tiedostoa" diff --git a/l10n/fi_FI/files_external.po b/l10n/fi_FI/files_external.po index 88c4c2a181..cc90b8dc79 100644 --- a/l10n/fi_FI/files_external.po +++ b/l10n/fi_FI/files_external.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: I Robot \n" "Language-Team: Finnish (Finland) (http://www.transifex.com/projects/p/owncloud/language/fi_FI/)\n" "MIME-Version: 1.0\n" @@ -37,20 +37,20 @@ msgstr "Anna kelvollinen Dropbox-sovellusavain ja salainen vastaus." msgid "Error configuring Google Drive storage" msgstr "Virhe Google Drive levyn asetuksia tehtäessä" -#: lib/config.php:431 +#: lib/config.php:447 msgid "" "Warning: \"smbclient\" is not installed. Mounting of CIFS/SMB shares " "is not possible. Please ask your system administrator to install it." msgstr "Varoitus: \"smbclient\" ei ole asennettuna. CIFS-/SMB-jakojen liittäminen ei ole mahdollista. Pyydä järjestelmän ylläpitäjää asentamaan smbclient." -#: lib/config.php:434 +#: lib/config.php:450 msgid "" "Warning: The FTP support in PHP is not enabled or installed. Mounting" " of FTP shares is not possible. Please ask your system administrator to " "install it." msgstr "Varoitus: PHP:n FTP-tuki ei ole käytössä tai sitä ei ole asennettu. FTP-jakojen liittäminen ei ole mahdollista. Pyydä järjestelmän ylläpitäjää ottamaan FTP-tuki käyttöön." -#: lib/config.php:437 +#: lib/config.php:453 msgid "" "Warning: The Curl support in PHP is not enabled or installed. " "Mounting of ownCloud / WebDAV or GoogleDrive is not possible. Please ask " diff --git a/l10n/fi_FI/files_sharing.po b/l10n/fi_FI/files_sharing.po index 97f099a1d3..317486daa3 100644 --- a/l10n/fi_FI/files_sharing.po +++ b/l10n/fi_FI/files_sharing.po @@ -3,13 +3,14 @@ # This file is distributed under the same license as the PACKAGE package. # # Translators: +# Jiri Grönroos , 2013 msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:13+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" +"Last-Translator: Jiri Grönroos \n" "Language-Team: Finnish (Finland) (http://www.transifex.com/projects/p/owncloud/language/fi_FI/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -19,7 +20,7 @@ msgstr "" #: templates/authenticate.php:4 msgid "The password is wrong. Try again." -msgstr "" +msgstr "Väärä salasana. Yritä uudelleen." #: templates/authenticate.php:7 msgid "Password" @@ -39,18 +40,18 @@ msgstr "%s jakoi kansion %s kanssasi" msgid "%s shared the file %s with you" msgstr "%s jakoi tiedoston %s kanssasi" -#: templates/public.php:28 templates/public.php:86 +#: templates/public.php:28 templates/public.php:90 msgid "Download" msgstr "Lataa" -#: templates/public.php:44 +#: templates/public.php:45 templates/public.php:48 msgid "Upload" msgstr "Lähetä" -#: templates/public.php:54 +#: templates/public.php:58 msgid "Cancel upload" msgstr "Peru lähetys" -#: templates/public.php:83 +#: templates/public.php:87 msgid "No preview available for" msgstr "Ei esikatselua kohteelle" diff --git a/l10n/fi_FI/files_trashbin.po b/l10n/fi_FI/files_trashbin.po index e61bb45791..473a237948 100644 --- a/l10n/fi_FI/files_trashbin.po +++ b/l10n/fi_FI/files_trashbin.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: I Robot \n" "Language-Team: Finnish (Finland) (http://www.transifex.com/projects/p/owncloud/language/fi_FI/)\n" "MIME-Version: 1.0\n" diff --git a/l10n/fi_FI/lib.po b/l10n/fi_FI/lib.po index 90c1cccb43..ca512563c6 100644 --- a/l10n/fi_FI/lib.po +++ b/l10n/fi_FI/lib.po @@ -8,8 +8,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:13+0000\n" +"POT-Creation-Date: 2013-07-24 01:55-0400\n" +"PO-Revision-Date: 2013-07-24 05:55+0000\n" "Last-Translator: I Robot \n" "Language-Team: Finnish (Finland) (http://www.transifex.com/projects/p/owncloud/language/fi_FI/)\n" "MIME-Version: 1.0\n" @@ -42,27 +42,43 @@ msgstr "Sovellukset" msgid "Admin" msgstr "Ylläpitäjä" -#: defaults.php:33 -msgid "web services under your control" +#: app.php:844 +#, php-format +msgid "Failed to upgrade \"%s\"." msgstr "" -#: files.php:210 +#: defaults.php:33 +msgid "web services under your control" +msgstr "verkkopalvelut hallinnassasi" + +#: files.php:66 files.php:98 +#, php-format +msgid "cannot open \"%s\"" +msgstr "" + +#: files.php:226 msgid "ZIP download is turned off." msgstr "ZIP-lataus on poistettu käytöstä." -#: files.php:211 +#: files.php:227 msgid "Files need to be downloaded one by one." msgstr "Tiedostot on ladattava yksittäin." -#: files.php:212 files.php:245 +#: files.php:228 files.php:256 msgid "Back to Files" msgstr "Takaisin tiedostoihin" -#: files.php:242 +#: files.php:253 msgid "Selected files too large to generate zip file." msgstr "Valitut tiedostot ovat liian suurikokoisia mahtuakseen zip-tiedostoon." -#: helper.php:236 +#: files.php:254 +msgid "" +"Download the files in smaller chunks, seperately or kindly ask your " +"administrator." +msgstr "" + +#: helper.php:235 msgid "couldn't be determined" msgstr "ei voitu määrittää" @@ -171,77 +187,81 @@ msgstr "" msgid "PostgreSQL username and/or password not valid" msgstr "PostgreSQL:n käyttäjätunnus ja/tai salasana on väärin" -#: setup.php:42 +#: setup.php:28 msgid "Set an admin username." msgstr "Aseta ylläpitäjän käyttäjätunnus." -#: setup.php:45 +#: setup.php:31 msgid "Set an admin password." msgstr "Aseta ylläpitäjän salasana." -#: setup.php:198 +#: setup.php:184 msgid "" "Your web server is not yet properly setup to allow files synchronization " "because the WebDAV interface seems to be broken." msgstr "" -#: setup.php:199 +#: setup.php:185 #, php-format msgid "Please double check the installation guides." msgstr "Lue tarkasti asennusohjeet." -#: template.php:113 +#: template/functions.php:80 msgid "seconds ago" msgstr "sekuntia sitten" -#: template.php:114 +#: template/functions.php:81 msgid "1 minute ago" msgstr "1 minuutti sitten" -#: template.php:115 +#: template/functions.php:82 #, php-format msgid "%d minutes ago" msgstr "%d minuuttia sitten" -#: template.php:116 +#: template/functions.php:83 msgid "1 hour ago" msgstr "1 tunti sitten" -#: template.php:117 +#: template/functions.php:84 #, php-format msgid "%d hours ago" msgstr "%d tuntia sitten" -#: template.php:118 +#: template/functions.php:85 msgid "today" msgstr "tänään" -#: template.php:119 +#: template/functions.php:86 msgid "yesterday" msgstr "eilen" -#: template.php:120 +#: template/functions.php:87 #, php-format msgid "%d days ago" msgstr "%d päivää sitten" -#: template.php:121 +#: template/functions.php:88 msgid "last month" msgstr "viime kuussa" -#: template.php:122 +#: template/functions.php:89 #, php-format msgid "%d months ago" msgstr "%d kuukautta sitten" -#: template.php:123 +#: template/functions.php:90 msgid "last year" msgstr "viime vuonna" -#: template.php:124 +#: template/functions.php:91 msgid "years ago" msgstr "vuotta sitten" +#: template.php:296 +msgid "Caused by:" +msgstr "" + #: vcategories.php:188 vcategories.php:249 #, php-format msgid "Could not find category \"%s\"" diff --git a/l10n/fi_FI/settings.po b/l10n/fi_FI/settings.po index 8ff86a7e78..1a854bda4f 100644 --- a/l10n/fi_FI/settings.po +++ b/l10n/fi_FI/settings.po @@ -8,8 +8,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:55+0000\n" "Last-Translator: I Robot \n" "Language-Team: Finnish (Finland) (http://www.transifex.com/projects/p/owncloud/language/fi_FI/)\n" "MIME-Version: 1.0\n" @@ -156,7 +156,7 @@ msgstr "lisää ryhmä" #: js/users.js:428 msgid "A valid username must be provided" -msgstr "" +msgstr "Anna kelvollinen käyttäjätunnus" #: js/users.js:429 js/users.js:435 js/users.js:450 msgid "Error creating user" @@ -164,7 +164,7 @@ msgstr "Virhe käyttäjää luotaessa" #: js/users.js:434 msgid "A valid password must be provided" -msgstr "" +msgstr "Anna kelvollinen salasana" #: personal.php:37 personal.php:38 msgid "__language_name__" @@ -274,62 +274,71 @@ msgstr "Salli linkit" msgid "Allow users to share items to the public with links" msgstr "Salli käyttäjien jakaa kohteita käyttäen linkkejä" -#: templates/admin.php:152 +#: templates/admin.php:153 +msgid "Allow public uploads" +msgstr "" + +#: templates/admin.php:154 +msgid "" +"Allow users to enable others to upload into their publicly shared folders" +msgstr "" + +#: templates/admin.php:162 msgid "Allow resharing" msgstr "Salli uudelleenjakaminen" -#: templates/admin.php:153 +#: templates/admin.php:163 msgid "Allow users to share items shared with them again" msgstr "Mahdollistaa käyttäjien jakavan uudelleen heidän kanssaan jaettuja kohteita" -#: templates/admin.php:160 +#: templates/admin.php:170 msgid "Allow users to share with anyone" msgstr "Salli käyttäjien jakaa kenen tahansa kanssa" -#: templates/admin.php:163 +#: templates/admin.php:173 msgid "Allow users to only share with users in their groups" msgstr "Salli jakaminen vain samoissa ryhmissä olevien käyttäjien kesken" -#: templates/admin.php:170 +#: templates/admin.php:180 msgid "Security" msgstr "Tietoturva" -#: templates/admin.php:183 +#: templates/admin.php:193 msgid "Enforce HTTPS" msgstr "Pakota HTTPS" -#: templates/admin.php:184 +#: templates/admin.php:194 msgid "" "Enforces the clients to connect to ownCloud via an encrypted connection." msgstr "Pakottaa salaamaan ownCloudiin kohdistuvat yhteydet." -#: templates/admin.php:187 +#: templates/admin.php:197 msgid "" "Please connect to this ownCloud instance via HTTPS to enable or disable the " "SSL enforcement." msgstr "" -#: templates/admin.php:197 +#: templates/admin.php:207 msgid "Log" msgstr "Loki" -#: templates/admin.php:198 +#: templates/admin.php:208 msgid "Log level" msgstr "Lokitaso" -#: templates/admin.php:229 +#: templates/admin.php:239 msgid "More" msgstr "Enemmän" -#: templates/admin.php:230 +#: templates/admin.php:240 msgid "Less" msgstr "Vähemmän" -#: templates/admin.php:236 templates/personal.php:116 +#: templates/admin.php:246 templates/personal.php:116 msgid "Version" msgstr "Versio" -#: templates/admin.php:240 templates/personal.php:119 +#: templates/admin.php:250 templates/personal.php:119 msgid "" "Developed by the ownCloud community, the access your Files via WebDAV" +msgstr "Käytä tätä osoitetta päästäksesi käsiksi tiedostoihisi WebDAVin kautta" #: templates/users.php:21 msgid "Login Name" diff --git a/l10n/fi_FI/user_ldap.po b/l10n/fi_FI/user_ldap.po index 68f73adf61..b04a6e7837 100644 --- a/l10n/fi_FI/user_ldap.po +++ b/l10n/fi_FI/user_ldap.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: I Robot \n" "Language-Team: Finnish (Finland) (http://www.transifex.com/projects/p/owncloud/language/fi_FI/)\n" "MIME-Version: 1.0\n" diff --git a/l10n/fr/core.po b/l10n/fr/core.po index e608363f0f..cafe21822f 100644 --- a/l10n/fr/core.po +++ b/l10n/fr/core.po @@ -12,9 +12,9 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:12+0000\n" -"Last-Translator: Adalberto Rodrigues \n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:04+0000\n" +"Last-Translator: I Robot \n" "Language-Team: French (http://www.transifex.com/projects/p/owncloud/language/fr/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -142,59 +142,59 @@ msgstr "novembre" msgid "December" msgstr "décembre" -#: js/js.js:289 +#: js/js.js:293 msgid "Settings" msgstr "Paramètres" -#: js/js.js:721 +#: js/js.js:715 msgid "seconds ago" msgstr "il y a quelques secondes" -#: js/js.js:722 +#: js/js.js:716 msgid "1 minute ago" msgstr "il y a une minute" -#: js/js.js:723 +#: js/js.js:717 msgid "{minutes} minutes ago" msgstr "il y a {minutes} minutes" -#: js/js.js:724 +#: js/js.js:718 msgid "1 hour ago" msgstr "Il y a une heure" -#: js/js.js:725 +#: js/js.js:719 msgid "{hours} hours ago" msgstr "Il y a {hours} heures" -#: js/js.js:726 +#: js/js.js:720 msgid "today" msgstr "aujourd'hui" -#: js/js.js:727 +#: js/js.js:721 msgid "yesterday" msgstr "hier" -#: js/js.js:728 +#: js/js.js:722 msgid "{days} days ago" msgstr "il y a {days} jours" -#: js/js.js:729 +#: js/js.js:723 msgid "last month" msgstr "le mois dernier" -#: js/js.js:730 +#: js/js.js:724 msgid "{months} months ago" msgstr "Il y a {months} mois" -#: js/js.js:731 +#: js/js.js:725 msgid "months ago" msgstr "il y a plusieurs mois" -#: js/js.js:732 +#: js/js.js:726 msgid "last year" msgstr "l'année dernière" -#: js/js.js:733 +#: js/js.js:727 msgid "years ago" msgstr "il y a plusieurs années" @@ -230,8 +230,8 @@ msgstr "Le type d'objet n'est pas spécifié." #: js/oc-vcategories.js:14 js/oc-vcategories.js:80 js/oc-vcategories.js:95 #: js/oc-vcategories.js:110 js/oc-vcategories.js:125 js/oc-vcategories.js:136 #: js/oc-vcategories.js:172 js/oc-vcategories.js:189 js/oc-vcategories.js:195 -#: js/oc-vcategories.js:199 js/share.js:136 js/share.js:143 js/share.js:618 -#: js/share.js:630 +#: js/oc-vcategories.js:199 js/share.js:136 js/share.js:143 js/share.js:625 +#: js/share.js:637 msgid "Error" msgstr "Erreur" @@ -251,7 +251,7 @@ msgstr "Partagé" msgid "Share" msgstr "Partager" -#: js/share.js:125 js/share.js:658 +#: js/share.js:125 js/share.js:665 msgid "Error while sharing" msgstr "Erreur lors de la mise en partage" @@ -271,114 +271,114 @@ msgstr "Partagé par {owner} avec vous et le groupe {group}" msgid "Shared with you by {owner}" msgstr "Partagé avec vous par {owner}" -#: js/share.js:172 +#: js/share.js:177 msgid "Share with" msgstr "Partager avec" -#: js/share.js:177 +#: js/share.js:182 msgid "Share with link" msgstr "Partager via lien" -#: js/share.js:180 +#: js/share.js:185 msgid "Password protect" msgstr "Protéger par un mot de passe" -#: js/share.js:182 templates/installation.php:54 templates/login.php:26 +#: js/share.js:187 templates/installation.php:54 templates/login.php:26 msgid "Password" msgstr "Mot de passe" -#: js/share.js:186 +#: js/share.js:192 msgid "Allow Public Upload" msgstr "Autoriser l'upload par les utilisateurs non enregistrés" -#: js/share.js:189 +#: js/share.js:196 msgid "Email link to person" msgstr "Envoyez le lien par email" -#: js/share.js:190 +#: js/share.js:197 msgid "Send" msgstr "Envoyer" -#: js/share.js:195 +#: js/share.js:202 msgid "Set expiration date" msgstr "Spécifier la date d'expiration" -#: js/share.js:196 +#: js/share.js:203 msgid "Expiration date" msgstr "Date d'expiration" -#: js/share.js:228 +#: js/share.js:235 msgid "Share via email:" msgstr "Partager via e-mail :" -#: js/share.js:230 +#: js/share.js:237 msgid "No people found" msgstr "Aucun utilisateur trouvé" -#: js/share.js:268 +#: js/share.js:275 msgid "Resharing is not allowed" msgstr "Le repartage n'est pas autorisé" -#: js/share.js:304 +#: js/share.js:311 msgid "Shared in {item} with {user}" msgstr "Partagé dans {item} avec {user}" -#: js/share.js:325 +#: js/share.js:332 msgid "Unshare" msgstr "Ne plus partager" -#: js/share.js:337 +#: js/share.js:344 msgid "can edit" msgstr "édition autorisée" -#: js/share.js:339 +#: js/share.js:346 msgid "access control" msgstr "contrôle des accès" -#: js/share.js:342 +#: js/share.js:349 msgid "create" msgstr "créer" -#: js/share.js:345 +#: js/share.js:352 msgid "update" msgstr "mettre à jour" -#: js/share.js:348 +#: js/share.js:355 msgid "delete" msgstr "supprimer" -#: js/share.js:351 +#: js/share.js:358 msgid "share" msgstr "partager" -#: js/share.js:385 js/share.js:605 +#: js/share.js:392 js/share.js:612 msgid "Password protected" msgstr "Protégé par un mot de passe" -#: js/share.js:618 +#: js/share.js:625 msgid "Error unsetting expiration date" msgstr "Une erreur est survenue pendant la suppression de la date d'expiration" -#: js/share.js:630 +#: js/share.js:637 msgid "Error setting expiration date" msgstr "Erreur lors de la spécification de la date d'expiration" -#: js/share.js:645 +#: js/share.js:652 msgid "Sending ..." msgstr "En cours d'envoi ..." -#: js/share.js:656 +#: js/share.js:663 msgid "Email sent" msgstr "Email envoyé" -#: js/update.js:14 +#: js/update.js:17 msgid "" "The update was unsuccessful. Please report this issue to the ownCloud " "community." msgstr "La mise à jour a échoué. Veuillez signaler ce problème à la communauté ownCloud." -#: js/update.js:18 +#: js/update.js:21 msgid "The update was successful. Redirecting you to ownCloud now." msgstr "La mise à jour a réussi. Vous êtes redirigé maintenant vers ownCloud." @@ -470,7 +470,7 @@ msgstr "Accès interdit" msgid "Cloud not found" msgstr "Introuvable" -#: templates/altmail.php:2 +#: templates/altmail.php:4 #, php-format msgid "" "Hey there,\n" @@ -481,10 +481,6 @@ msgid "" "Cheers!" msgstr "Salut,\n\nje veux juste vous signaler %s partagé %s avec vous.\nVoyez-le: %s\n\nBonne continuation!" -#: templates/altmail.php:7 templates/mail.php:24 -msgid "web services under your control" -msgstr "services web sous votre contrôle" - #: templates/edit_categories_dialog.php:4 msgid "Edit categories" msgstr "Editer les catégories" @@ -616,7 +612,7 @@ msgstr "Connexion" msgid "Alternative Logins" msgstr "Logins alternatifs" -#: templates/mail.php:15 +#: templates/mail.php:16 #, php-format msgid "" "Hey there,

    just letting you know that %s shared »%s« with you.
    \n" "Language-Team: French (http://www.transifex.com/projects/p/owncloud/language/fr/)\n" "MIME-Version: 1.0\n" @@ -30,54 +30,54 @@ msgstr "Impossible de déplacer %s - Un fichier possédant ce nom existe déjà" msgid "Could not move %s" msgstr "Impossible de déplacer %s" -#: ajax/upload.php:16 ajax/upload.php:39 +#: ajax/upload.php:16 ajax/upload.php:45 msgid "Unable to set upload directory." msgstr "Impossible de définir le dossier pour l'upload, charger." -#: ajax/upload.php:23 +#: ajax/upload.php:22 msgid "Invalid Token" msgstr "Jeton non valide" -#: ajax/upload.php:55 +#: ajax/upload.php:59 msgid "No file was uploaded. Unknown error" msgstr "Aucun fichier n'a été envoyé. Erreur inconnue" -#: ajax/upload.php:62 +#: ajax/upload.php:66 msgid "There is no error, the file uploaded with success" msgstr "Aucune erreur, le fichier a été envoyé avec succès." -#: ajax/upload.php:63 +#: ajax/upload.php:67 msgid "" "The uploaded file exceeds the upload_max_filesize directive in php.ini: " msgstr "Le fichier envoyé dépasse la valeur upload_max_filesize située dans le fichier php.ini:" -#: ajax/upload.php:65 +#: ajax/upload.php:69 msgid "" "The uploaded file exceeds the MAX_FILE_SIZE directive that was specified in " "the HTML form" msgstr "Le fichier envoyé dépasse la directive MAX_FILE_SIZE qui est spécifiée dans le formulaire HTML." -#: ajax/upload.php:66 +#: ajax/upload.php:70 msgid "The uploaded file was only partially uploaded" msgstr "Le fichier n'a été que partiellement envoyé." -#: ajax/upload.php:67 +#: ajax/upload.php:71 msgid "No file was uploaded" msgstr "Pas de fichier envoyé." -#: ajax/upload.php:68 +#: ajax/upload.php:72 msgid "Missing a temporary folder" msgstr "Absence de dossier temporaire." -#: ajax/upload.php:69 +#: ajax/upload.php:73 msgid "Failed to write to disk" msgstr "Erreur d'écriture sur le disque" -#: ajax/upload.php:87 +#: ajax/upload.php:91 msgid "Not enough storage available" msgstr "Plus assez d'espace de stockage disponible" -#: ajax/upload.php:119 +#: ajax/upload.php:123 msgid "Invalid directory." msgstr "Dossier invalide." @@ -131,43 +131,43 @@ msgstr "Supprimer" msgid "Rename" msgstr "Renommer" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:464 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:465 msgid "Pending" msgstr "En attente" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "{new_name} already exists" msgstr "{new_name} existe déjà" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "replace" msgstr "remplacer" -#: js/filelist.js:302 +#: js/filelist.js:303 msgid "suggest name" msgstr "Suggérer un nom" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "cancel" msgstr "annuler" -#: js/filelist.js:349 +#: js/filelist.js:350 msgid "replaced {new_name} with {old_name}" msgstr "{new_name} a été remplacé par {old_name}" -#: js/filelist.js:349 +#: js/filelist.js:350 msgid "undo" msgstr "annuler" -#: js/filelist.js:374 +#: js/filelist.js:375 msgid "perform delete operation" msgstr "effectuer l'opération de suppression" -#: js/filelist.js:456 +#: js/filelist.js:457 msgid "1 file uploading" msgstr "1 fichier en cours d'envoi" -#: js/filelist.js:459 js/filelist.js:517 +#: js/filelist.js:460 js/filelist.js:518 msgid "files uploading" msgstr "fichiers en cours d'envoi" @@ -215,19 +215,19 @@ msgstr "Taille" msgid "Modified" msgstr "Modifié" -#: js/files.js:765 +#: js/files.js:763 msgid "1 folder" msgstr "1 dossier" -#: js/files.js:767 +#: js/files.js:765 msgid "{count} folders" msgstr "{count} dossiers" -#: js/files.js:775 +#: js/files.js:773 msgid "1 file" msgstr "1 fichier" -#: js/files.js:777 +#: js/files.js:775 msgid "{count} files" msgstr "{count} fichiers" @@ -330,19 +330,19 @@ msgstr "Les fichiers sont en cours d'analyse, veuillez patienter." msgid "Current scanning" msgstr "Analyse en cours" -#: templates/part.list.php:78 +#: templates/part.list.php:74 msgid "directory" -msgstr "" +msgstr "dossier" -#: templates/part.list.php:80 +#: templates/part.list.php:76 msgid "directories" -msgstr "" +msgstr "dossiers" -#: templates/part.list.php:89 +#: templates/part.list.php:85 msgid "file" msgstr "fichier" -#: templates/part.list.php:91 +#: templates/part.list.php:87 msgid "files" msgstr "fichiers" diff --git a/l10n/fr/files_encryption.po b/l10n/fr/files_encryption.po index a7a5e7a6fe..0a8751ee9c 100644 --- a/l10n/fr/files_encryption.po +++ b/l10n/fr/files_encryption.po @@ -11,9 +11,9 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:12+0200\n" -"PO-Revision-Date: 2013-07-05 00:13+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-07-11 02:16+0200\n" +"PO-Revision-Date: 2013-07-10 18:30+0000\n" +"Last-Translator: Adalberto Rodrigues \n" "Language-Team: French (http://www.transifex.com/projects/p/owncloud/language/fr/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -67,14 +67,14 @@ msgstr "Votre clé de sécurité privée n'est pas valide! Il est probable que v #: hooks/hooks.php:44 msgid "Missing requirements." -msgstr "" +msgstr "Système minimum requis non respecté." #: hooks/hooks.php:45 msgid "" "Please make sure that PHP 5.3.3 or newer is installed and that the OpenSSL " "PHP extension is enabled and configured properly. For now, the encryption " "app has been disabled." -msgstr "" +msgstr "Veuillez vous assurer qu'une version de PHP 5.3.3 ou plus récente est installée et que l'extension OpenSSL de PHP est activée et configurée correctement. En attendant, l'application de cryptage a été désactivée." #: js/settings-admin.js:11 msgid "Saving..." diff --git a/l10n/fr/files_external.po b/l10n/fr/files_external.po index 1c242b645b..c1e69f0c90 100644 --- a/l10n/fr/files_external.po +++ b/l10n/fr/files_external.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: I Robot \n" "Language-Team: French (http://www.transifex.com/projects/p/owncloud/language/fr/)\n" "MIME-Version: 1.0\n" @@ -37,20 +37,20 @@ msgstr "Veuillez fournir une clé d'application (app key) ainsi qu'un mot de pas msgid "Error configuring Google Drive storage" msgstr "Erreur lors de la configuration du support de stockage Google Drive" -#: lib/config.php:431 +#: lib/config.php:447 msgid "" "Warning: \"smbclient\" is not installed. Mounting of CIFS/SMB shares " "is not possible. Please ask your system administrator to install it." msgstr "Attention : \"smbclient\" n'est pas installé. Le montage des partages CIFS/SMB n'est pas disponible. Contactez votre administrateur système pour l'installer." -#: lib/config.php:434 +#: lib/config.php:450 msgid "" "Warning: The FTP support in PHP is not enabled or installed. Mounting" " of FTP shares is not possible. Please ask your system administrator to " "install it." msgstr "Attention : Le support FTP de PHP n'est pas activé ou installé. Le montage des partages FTP n'est pas disponible. Contactez votre administrateur système pour l'installer." -#: lib/config.php:437 +#: lib/config.php:453 msgid "" "Warning: The Curl support in PHP is not enabled or installed. " "Mounting of ownCloud / WebDAV or GoogleDrive is not possible. Please ask " diff --git a/l10n/fr/files_sharing.po b/l10n/fr/files_sharing.po index 7cc6c36f4c..3991b7e523 100644 --- a/l10n/fr/files_sharing.po +++ b/l10n/fr/files_sharing.po @@ -3,13 +3,14 @@ # This file is distributed under the same license as the PACKAGE package. # # Translators: +# square , 2013 msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:13+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" +"Last-Translator: square \n" "Language-Team: French (http://www.transifex.com/projects/p/owncloud/language/fr/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -19,7 +20,7 @@ msgstr "" #: templates/authenticate.php:4 msgid "The password is wrong. Try again." -msgstr "" +msgstr "Le mot de passe est incorrect. Veuillez réessayer." #: templates/authenticate.php:7 msgid "Password" @@ -39,18 +40,18 @@ msgstr "%s a partagé le répertoire %s avec vous" msgid "%s shared the file %s with you" msgstr "%s a partagé le fichier %s avec vous" -#: templates/public.php:28 templates/public.php:86 +#: templates/public.php:28 templates/public.php:90 msgid "Download" msgstr "Télécharger" -#: templates/public.php:44 +#: templates/public.php:45 templates/public.php:48 msgid "Upload" msgstr "Envoyer" -#: templates/public.php:54 +#: templates/public.php:58 msgid "Cancel upload" msgstr "Annuler l'envoi" -#: templates/public.php:83 +#: templates/public.php:87 msgid "No preview available for" msgstr "Pas d'aperçu disponible pour" diff --git a/l10n/fr/files_trashbin.po b/l10n/fr/files_trashbin.po index eef854f4d2..5aa2e8838d 100644 --- a/l10n/fr/files_trashbin.po +++ b/l10n/fr/files_trashbin.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: I Robot \n" "Language-Team: French (http://www.transifex.com/projects/p/owncloud/language/fr/)\n" "MIME-Version: 1.0\n" diff --git a/l10n/fr/lib.po b/l10n/fr/lib.po index dce6cf2ab5..dcb8bc19a2 100644 --- a/l10n/fr/lib.po +++ b/l10n/fr/lib.po @@ -8,8 +8,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:13+0000\n" +"POT-Creation-Date: 2013-07-24 01:55-0400\n" +"PO-Revision-Date: 2013-07-24 05:55+0000\n" "Last-Translator: I Robot \n" "Language-Team: French (http://www.transifex.com/projects/p/owncloud/language/fr/)\n" "MIME-Version: 1.0\n" @@ -42,27 +42,43 @@ msgstr "Applications" msgid "Admin" msgstr "Administration" -#: defaults.php:33 -msgid "web services under your control" +#: app.php:844 +#, php-format +msgid "Failed to upgrade \"%s\"." msgstr "" -#: files.php:210 +#: defaults.php:33 +msgid "web services under your control" +msgstr "services web sous votre contrôle" + +#: files.php:66 files.php:98 +#, php-format +msgid "cannot open \"%s\"" +msgstr "" + +#: files.php:226 msgid "ZIP download is turned off." msgstr "Téléchargement ZIP désactivé." -#: files.php:211 +#: files.php:227 msgid "Files need to be downloaded one by one." msgstr "Les fichiers nécessitent d'être téléchargés un par un." -#: files.php:212 files.php:245 +#: files.php:228 files.php:256 msgid "Back to Files" msgstr "Retour aux Fichiers" -#: files.php:242 +#: files.php:253 msgid "Selected files too large to generate zip file." msgstr "Les fichiers sélectionnés sont trop volumineux pour être compressés." -#: helper.php:236 +#: files.php:254 +msgid "" +"Download the files in smaller chunks, seperately or kindly ask your " +"administrator." +msgstr "" + +#: helper.php:235 msgid "couldn't be determined" msgstr "impossible à déterminer" @@ -171,77 +187,81 @@ msgstr "La requête en cause est : \"%s\", nom : %s, mot de passe : %s" msgid "PostgreSQL username and/or password not valid" msgstr "Nom d'utilisateur et/ou mot de passe de la base PostgreSQL invalide" -#: setup.php:42 +#: setup.php:28 msgid "Set an admin username." msgstr "Spécifiez un nom d'utilisateur pour l'administrateur." -#: setup.php:45 +#: setup.php:31 msgid "Set an admin password." msgstr "Spécifiez un mot de passe administrateur." -#: setup.php:198 +#: setup.php:184 msgid "" "Your web server is not yet properly setup to allow files synchronization " "because the WebDAV interface seems to be broken." msgstr "Votre serveur web, n'est pas correctement configuré pour permettre la synchronisation des fichiers, car l'interface WebDav ne fonctionne pas comme il faut." -#: setup.php:199 +#: setup.php:185 #, php-format msgid "Please double check the installation guides." msgstr "Veuillez vous référer au guide d'installation." -#: template.php:113 +#: template/functions.php:80 msgid "seconds ago" msgstr "il y a quelques secondes" -#: template.php:114 +#: template/functions.php:81 msgid "1 minute ago" msgstr "il y a une minute" -#: template.php:115 +#: template/functions.php:82 #, php-format msgid "%d minutes ago" msgstr "il y a %d minutes" -#: template.php:116 +#: template/functions.php:83 msgid "1 hour ago" msgstr "Il y a une heure" -#: template.php:117 +#: template/functions.php:84 #, php-format msgid "%d hours ago" msgstr "Il y a %d heures" -#: template.php:118 +#: template/functions.php:85 msgid "today" msgstr "aujourd'hui" -#: template.php:119 +#: template/functions.php:86 msgid "yesterday" msgstr "hier" -#: template.php:120 +#: template/functions.php:87 #, php-format msgid "%d days ago" msgstr "il y a %d jours" -#: template.php:121 +#: template/functions.php:88 msgid "last month" msgstr "le mois dernier" -#: template.php:122 +#: template/functions.php:89 #, php-format msgid "%d months ago" msgstr "Il y a %d mois" -#: template.php:123 +#: template/functions.php:90 msgid "last year" msgstr "l'année dernière" -#: template.php:124 +#: template/functions.php:91 msgid "years ago" msgstr "il y a plusieurs années" +#: template.php:296 +msgid "Caused by:" +msgstr "" + #: vcategories.php:188 vcategories.php:249 #, php-format msgid "Could not find category \"%s\"" diff --git a/l10n/fr/settings.po b/l10n/fr/settings.po index bf159feeed..d995fe7073 100644 --- a/l10n/fr/settings.po +++ b/l10n/fr/settings.po @@ -3,6 +3,7 @@ # This file is distributed under the same license as the PACKAGE package. # # Translators: +# Adalberto Rodrigues , 2013 # Christophe Lherieau , 2013 # lyly95, 2013 # red0ne , 2013 @@ -10,8 +11,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:55+0000\n" "Last-Translator: I Robot \n" "Language-Team: French (http://www.transifex.com/projects/p/owncloud/language/fr/)\n" "MIME-Version: 1.0\n" @@ -276,62 +277,71 @@ msgstr "Autoriser les liens" msgid "Allow users to share items to the public with links" msgstr "Autoriser les utilisateurs à partager des éléments publiquement à l'aide de liens" -#: templates/admin.php:152 +#: templates/admin.php:153 +msgid "Allow public uploads" +msgstr "" + +#: templates/admin.php:154 +msgid "" +"Allow users to enable others to upload into their publicly shared folders" +msgstr "" + +#: templates/admin.php:162 msgid "Allow resharing" msgstr "Autoriser le repartage" -#: templates/admin.php:153 +#: templates/admin.php:163 msgid "Allow users to share items shared with them again" msgstr "Autoriser les utilisateurs à partager des éléments qui ont été partagés avec eux" -#: templates/admin.php:160 +#: templates/admin.php:170 msgid "Allow users to share with anyone" msgstr "Autoriser les utilisateurs à partager avec tout le monde" -#: templates/admin.php:163 +#: templates/admin.php:173 msgid "Allow users to only share with users in their groups" msgstr "Autoriser les utilisateurs à partager avec des utilisateurs de leur groupe uniquement" -#: templates/admin.php:170 +#: templates/admin.php:180 msgid "Security" msgstr "Sécurité" -#: templates/admin.php:183 +#: templates/admin.php:193 msgid "Enforce HTTPS" msgstr "Forcer HTTPS" -#: templates/admin.php:184 +#: templates/admin.php:194 msgid "" "Enforces the clients to connect to ownCloud via an encrypted connection." msgstr "Forcer les clients à se connecter à Owncloud via une connexion chiffrée." -#: templates/admin.php:187 +#: templates/admin.php:197 msgid "" "Please connect to this ownCloud instance via HTTPS to enable or disable the " "SSL enforcement." msgstr "Merci de vous connecter à cette instance Owncloud en HTTPS pour activer ou désactiver SSL." -#: templates/admin.php:197 +#: templates/admin.php:207 msgid "Log" msgstr "Log" -#: templates/admin.php:198 +#: templates/admin.php:208 msgid "Log level" msgstr "Niveau de log" -#: templates/admin.php:229 +#: templates/admin.php:239 msgid "More" msgstr "Plus" -#: templates/admin.php:230 +#: templates/admin.php:240 msgid "Less" msgstr "Moins" -#: templates/admin.php:236 templates/personal.php:116 +#: templates/admin.php:246 templates/personal.php:116 msgid "Version" msgstr "Version" -#: templates/admin.php:240 templates/personal.php:119 +#: templates/admin.php:250 templates/personal.php:119 msgid "" "Developed by the ownCloud community, the access your Files via WebDAV" +msgstr "Utilisez cette adresse pour accéder à vos fichiers via WebDAV" #: templates/users.php:21 msgid "Login Name" diff --git a/l10n/fr/user_ldap.po b/l10n/fr/user_ldap.po index 8b30b6c07d..bf150158dc 100644 --- a/l10n/fr/user_ldap.po +++ b/l10n/fr/user_ldap.po @@ -8,8 +8,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: plachance \n" "Language-Team: French (http://www.transifex.com/projects/p/owncloud/language/fr/)\n" "MIME-Version: 1.0\n" diff --git a/l10n/gl/core.po b/l10n/gl/core.po index e8bd707eb4..8c5baec656 100644 --- a/l10n/gl/core.po +++ b/l10n/gl/core.po @@ -8,9 +8,9 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:12+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:04+0000\n" +"Last-Translator: mbouzada \n" "Language-Team: Galician (http://www.transifex.com/projects/p/owncloud/language/gl/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -138,59 +138,59 @@ msgstr "novembro" msgid "December" msgstr "decembro" -#: js/js.js:289 +#: js/js.js:293 msgid "Settings" msgstr "Axustes" -#: js/js.js:721 +#: js/js.js:715 msgid "seconds ago" msgstr "segundos atrás" -#: js/js.js:722 +#: js/js.js:716 msgid "1 minute ago" msgstr "hai 1 minuto" -#: js/js.js:723 +#: js/js.js:717 msgid "{minutes} minutes ago" msgstr "hai {minutes} minutos" -#: js/js.js:724 +#: js/js.js:718 msgid "1 hour ago" msgstr "Vai 1 hora" -#: js/js.js:725 +#: js/js.js:719 msgid "{hours} hours ago" msgstr "hai {hours} horas" -#: js/js.js:726 +#: js/js.js:720 msgid "today" msgstr "hoxe" -#: js/js.js:727 +#: js/js.js:721 msgid "yesterday" msgstr "onte" -#: js/js.js:728 +#: js/js.js:722 msgid "{days} days ago" msgstr "hai {days} días" -#: js/js.js:729 +#: js/js.js:723 msgid "last month" msgstr "último mes" -#: js/js.js:730 +#: js/js.js:724 msgid "{months} months ago" msgstr "hai {months} meses" -#: js/js.js:731 +#: js/js.js:725 msgid "months ago" msgstr "meses atrás" -#: js/js.js:732 +#: js/js.js:726 msgid "last year" msgstr "último ano" -#: js/js.js:733 +#: js/js.js:727 msgid "years ago" msgstr "anos atrás" @@ -226,8 +226,8 @@ msgstr "Non se especificou o tipo de obxecto." #: js/oc-vcategories.js:14 js/oc-vcategories.js:80 js/oc-vcategories.js:95 #: js/oc-vcategories.js:110 js/oc-vcategories.js:125 js/oc-vcategories.js:136 #: js/oc-vcategories.js:172 js/oc-vcategories.js:189 js/oc-vcategories.js:195 -#: js/oc-vcategories.js:199 js/share.js:136 js/share.js:143 js/share.js:618 -#: js/share.js:630 +#: js/oc-vcategories.js:199 js/share.js:136 js/share.js:143 js/share.js:625 +#: js/share.js:637 msgid "Error" msgstr "Erro" @@ -247,7 +247,7 @@ msgstr "Compartir" msgid "Share" msgstr "Compartir" -#: js/share.js:125 js/share.js:658 +#: js/share.js:125 js/share.js:665 msgid "Error while sharing" msgstr "Produciuse un erro ao compartir" @@ -267,114 +267,114 @@ msgstr "Compartido con vostede e co grupo {group} por {owner}" msgid "Shared with you by {owner}" msgstr "Compartido con vostede por {owner}" -#: js/share.js:172 +#: js/share.js:177 msgid "Share with" msgstr "Compartir con" -#: js/share.js:177 +#: js/share.js:182 msgid "Share with link" msgstr "Compartir coa ligazón" -#: js/share.js:180 +#: js/share.js:185 msgid "Password protect" msgstr "Protexido con contrasinais" -#: js/share.js:182 templates/installation.php:54 templates/login.php:26 +#: js/share.js:187 templates/installation.php:54 templates/login.php:26 msgid "Password" msgstr "Contrasinal" -#: js/share.js:186 +#: js/share.js:192 msgid "Allow Public Upload" -msgstr "" +msgstr "Permitir o envío público" -#: js/share.js:189 +#: js/share.js:196 msgid "Email link to person" msgstr "Enviar ligazón por correo" -#: js/share.js:190 +#: js/share.js:197 msgid "Send" msgstr "Enviar" -#: js/share.js:195 +#: js/share.js:202 msgid "Set expiration date" msgstr "Definir a data de caducidade" -#: js/share.js:196 +#: js/share.js:203 msgid "Expiration date" msgstr "Data de caducidade" -#: js/share.js:228 +#: js/share.js:235 msgid "Share via email:" msgstr "Compartir por correo:" -#: js/share.js:230 +#: js/share.js:237 msgid "No people found" msgstr "Non se atopou xente" -#: js/share.js:268 +#: js/share.js:275 msgid "Resharing is not allowed" msgstr "Non se permite volver a compartir" -#: js/share.js:304 +#: js/share.js:311 msgid "Shared in {item} with {user}" msgstr "Compartido en {item} con {user}" -#: js/share.js:325 +#: js/share.js:332 msgid "Unshare" msgstr "Deixar de compartir" -#: js/share.js:337 +#: js/share.js:344 msgid "can edit" msgstr "pode editar" -#: js/share.js:339 +#: js/share.js:346 msgid "access control" msgstr "control de acceso" -#: js/share.js:342 +#: js/share.js:349 msgid "create" msgstr "crear" -#: js/share.js:345 +#: js/share.js:352 msgid "update" msgstr "actualizar" -#: js/share.js:348 +#: js/share.js:355 msgid "delete" msgstr "eliminar" -#: js/share.js:351 +#: js/share.js:358 msgid "share" msgstr "compartir" -#: js/share.js:385 js/share.js:605 +#: js/share.js:392 js/share.js:612 msgid "Password protected" msgstr "Protexido con contrasinal" -#: js/share.js:618 +#: js/share.js:625 msgid "Error unsetting expiration date" msgstr "Produciuse un erro ao retirar a data de caducidade" -#: js/share.js:630 +#: js/share.js:637 msgid "Error setting expiration date" msgstr "Produciuse un erro ao definir a data de caducidade" -#: js/share.js:645 +#: js/share.js:652 msgid "Sending ..." msgstr "Enviando..." -#: js/share.js:656 +#: js/share.js:663 msgid "Email sent" msgstr "Correo enviado" -#: js/update.js:14 +#: js/update.js:17 msgid "" "The update was unsuccessful. Please report this issue to the ownCloud " "community." msgstr "A actualización non foi satisfactoria, informe deste problema á comunidade de ownCloud." -#: js/update.js:18 +#: js/update.js:21 msgid "The update was successful. Redirecting you to ownCloud now." msgstr "A actualización realizouse correctamente. Redirixíndoo agora á ownCloud." @@ -466,7 +466,7 @@ msgstr "Acceso denegado" msgid "Cloud not found" msgstr "Nube non atopada" -#: templates/altmail.php:2 +#: templates/altmail.php:4 #, php-format msgid "" "Hey there,\n" @@ -477,10 +477,6 @@ msgid "" "Cheers!" msgstr "Ola,\n\nsó facerlle saber que %s compartiu %s con vostede.\nVéxao en: %s\n\nSaúdos!" -#: templates/altmail.php:7 templates/mail.php:24 -msgid "web services under your control" -msgstr "servizos web baixo o seu control" - #: templates/edit_categories_dialog.php:4 msgid "Edit categories" msgstr "Editar as categorías" @@ -612,7 +608,7 @@ msgstr "Conectar" msgid "Alternative Logins" msgstr "Accesos alternativos" -#: templates/mail.php:15 +#: templates/mail.php:16 #, php-format msgid "" "Hey there,

    just letting you know that %s shared »%s« with you.
    \n" "Language-Team: Galician (http://www.transifex.com/projects/p/owncloud/language/gl/)\n" "MIME-Version: 1.0\n" @@ -28,54 +28,54 @@ msgstr "Non se moveu %s - Xa existe un ficheiro con ese nome." msgid "Could not move %s" msgstr "Non foi posíbel mover %s" -#: ajax/upload.php:16 ajax/upload.php:39 +#: ajax/upload.php:16 ajax/upload.php:45 msgid "Unable to set upload directory." -msgstr "" +msgstr "Non é posíbel configurar o directorio de envíos." -#: ajax/upload.php:23 +#: ajax/upload.php:22 msgid "Invalid Token" -msgstr "" +msgstr "Marca incorrecta" -#: ajax/upload.php:55 +#: ajax/upload.php:59 msgid "No file was uploaded. Unknown error" msgstr "Non se enviou ningún ficheiro. Produciuse un erro descoñecido." -#: ajax/upload.php:62 +#: ajax/upload.php:66 msgid "There is no error, the file uploaded with success" msgstr "Non houbo erros, o ficheiro enviouse correctamente" -#: ajax/upload.php:63 +#: ajax/upload.php:67 msgid "" "The uploaded file exceeds the upload_max_filesize directive in php.ini: " msgstr "O ficheiro enviado excede a directiva indicada por upload_max_filesize de php.ini:" -#: ajax/upload.php:65 +#: ajax/upload.php:69 msgid "" "The uploaded file exceeds the MAX_FILE_SIZE directive that was specified in " "the HTML form" msgstr "O ficheiro enviado excede da directiva MAX_FILE_SIZE especificada no formulario HTML" -#: ajax/upload.php:66 +#: ajax/upload.php:70 msgid "The uploaded file was only partially uploaded" msgstr "O ficheiro so foi parcialmente enviado" -#: ajax/upload.php:67 +#: ajax/upload.php:71 msgid "No file was uploaded" msgstr "Non se enviou ningún ficheiro" -#: ajax/upload.php:68 +#: ajax/upload.php:72 msgid "Missing a temporary folder" msgstr "Falta o cartafol temporal" -#: ajax/upload.php:69 +#: ajax/upload.php:73 msgid "Failed to write to disk" msgstr "Produciuse un erro ao escribir no disco" -#: ajax/upload.php:87 +#: ajax/upload.php:91 msgid "Not enough storage available" msgstr "Non hai espazo de almacenamento abondo" -#: ajax/upload.php:119 +#: ajax/upload.php:123 msgid "Invalid directory." msgstr "O directorio é incorrecto." @@ -129,43 +129,43 @@ msgstr "Eliminar" msgid "Rename" msgstr "Renomear" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:464 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:465 msgid "Pending" msgstr "Pendentes" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "{new_name} already exists" msgstr "Xa existe un {new_name}" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "replace" msgstr "substituír" -#: js/filelist.js:302 +#: js/filelist.js:303 msgid "suggest name" msgstr "suxerir nome" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "cancel" msgstr "cancelar" -#: js/filelist.js:349 +#: js/filelist.js:350 msgid "replaced {new_name} with {old_name}" msgstr "substituír {new_name} por {old_name}" -#: js/filelist.js:349 +#: js/filelist.js:350 msgid "undo" msgstr "desfacer" -#: js/filelist.js:374 +#: js/filelist.js:375 msgid "perform delete operation" msgstr "realizar a operación de eliminación" -#: js/filelist.js:456 +#: js/filelist.js:457 msgid "1 file uploading" msgstr "Enviándose 1 ficheiro" -#: js/filelist.js:459 js/filelist.js:517 +#: js/filelist.js:460 js/filelist.js:518 msgid "files uploading" msgstr "ficheiros enviándose" @@ -213,26 +213,26 @@ msgstr "Tamaño" msgid "Modified" msgstr "Modificado" -#: js/files.js:765 +#: js/files.js:763 msgid "1 folder" msgstr "1 cartafol" -#: js/files.js:767 +#: js/files.js:765 msgid "{count} folders" msgstr "{count} cartafoles" -#: js/files.js:775 +#: js/files.js:773 msgid "1 file" msgstr "1 ficheiro" -#: js/files.js:777 +#: js/files.js:775 msgid "{count} files" msgstr "{count} ficheiros" #: lib/app.php:73 #, php-format msgid "%s could not be renamed" -msgstr "" +msgstr "%s non pode cambiar de nome" #: lib/helper.php:11 templates/index.php:18 msgid "Upload" @@ -328,19 +328,19 @@ msgstr "Estanse analizando os ficheiros. Agarde." msgid "Current scanning" msgstr "Análise actual" -#: templates/part.list.php:78 +#: templates/part.list.php:74 msgid "directory" -msgstr "" +msgstr "directorio" -#: templates/part.list.php:80 +#: templates/part.list.php:76 msgid "directories" -msgstr "" +msgstr "directorios" -#: templates/part.list.php:89 +#: templates/part.list.php:85 msgid "file" msgstr "ficheiro" -#: templates/part.list.php:91 +#: templates/part.list.php:87 msgid "files" msgstr "ficheiros" diff --git a/l10n/gl/files_encryption.po b/l10n/gl/files_encryption.po index 45a139836f..a8f83b07bb 100644 --- a/l10n/gl/files_encryption.po +++ b/l10n/gl/files_encryption.po @@ -10,9 +10,9 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:12+0200\n" -"PO-Revision-Date: 2013-07-05 00:13+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-07-07 01:58+0200\n" +"PO-Revision-Date: 2013-07-06 09:11+0000\n" +"Last-Translator: mbouzada \n" "Language-Team: Galician (http://www.transifex.com/projects/p/owncloud/language/gl/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -66,14 +66,14 @@ msgstr "A chave privada non é correcta! É probábel que o seu contrasinal teñ #: hooks/hooks.php:44 msgid "Missing requirements." -msgstr "" +msgstr "Non se cumpren os requisitos." #: hooks/hooks.php:45 msgid "" "Please make sure that PHP 5.3.3 or newer is installed and that the OpenSSL " "PHP extension is enabled and configured properly. For now, the encryption " "app has been disabled." -msgstr "" +msgstr "Asegúrese de que está instalado o PHP 5.3.3 ou posterior e de que a extensión OpenSSL PHP estea activada e configurada correctamente. Polo de agora foi desactivado o aplicativo de cifrado." #: js/settings-admin.js:11 msgid "Saving..." diff --git a/l10n/gl/files_external.po b/l10n/gl/files_external.po index 410acbd581..c6a78af76d 100644 --- a/l10n/gl/files_external.po +++ b/l10n/gl/files_external.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: I Robot \n" "Language-Team: Galician (http://www.transifex.com/projects/p/owncloud/language/gl/)\n" "MIME-Version: 1.0\n" @@ -37,20 +37,20 @@ msgstr "Forneza unha chave correcta e segreda do Dropbox." msgid "Error configuring Google Drive storage" msgstr "Produciuse un erro ao configurar o almacenamento en Google Drive" -#: lib/config.php:431 +#: lib/config.php:447 msgid "" "Warning: \"smbclient\" is not installed. Mounting of CIFS/SMB shares " "is not possible. Please ask your system administrator to install it." msgstr "Aviso: «smbclient» non está instalado. Non é posibel a montaxe de comparticións CIFS/SMB. Consulte co administrador do sistema para instalalo." -#: lib/config.php:434 +#: lib/config.php:450 msgid "" "Warning: The FTP support in PHP is not enabled or installed. Mounting" " of FTP shares is not possible. Please ask your system administrator to " "install it." msgstr "Aviso: A compatibilidade de FTP en PHP non está activada ou instalada. Non é posibel a montaxe de comparticións FTP. Consulte co administrador do sistema para instalalo." -#: lib/config.php:437 +#: lib/config.php:453 msgid "" "Warning: The Curl support in PHP is not enabled or installed. " "Mounting of ownCloud / WebDAV or GoogleDrive is not possible. Please ask " diff --git a/l10n/gl/files_sharing.po b/l10n/gl/files_sharing.po index 14d04a7ec2..f2c53603c6 100644 --- a/l10n/gl/files_sharing.po +++ b/l10n/gl/files_sharing.po @@ -3,13 +3,14 @@ # This file is distributed under the same license as the PACKAGE package. # # Translators: +# mbouzada , 2013 msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:13+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" +"Last-Translator: mbouzada \n" "Language-Team: Galician (http://www.transifex.com/projects/p/owncloud/language/gl/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -19,7 +20,7 @@ msgstr "" #: templates/authenticate.php:4 msgid "The password is wrong. Try again." -msgstr "" +msgstr "O contrasinal é incorrecto. Ténteo de novo." #: templates/authenticate.php:7 msgid "Password" @@ -39,18 +40,18 @@ msgstr "%s compartiu o cartafol %s con vostede" msgid "%s shared the file %s with you" msgstr "%s compartiu o ficheiro %s con vostede" -#: templates/public.php:28 templates/public.php:86 +#: templates/public.php:28 templates/public.php:90 msgid "Download" msgstr "Descargar" -#: templates/public.php:44 +#: templates/public.php:45 templates/public.php:48 msgid "Upload" msgstr "Enviar" -#: templates/public.php:54 +#: templates/public.php:58 msgid "Cancel upload" msgstr "Cancelar o envío" -#: templates/public.php:83 +#: templates/public.php:87 msgid "No preview available for" msgstr "Sen vista previa dispoñíbel para" diff --git a/l10n/gl/files_trashbin.po b/l10n/gl/files_trashbin.po index 4eff86ac19..2d3c758e43 100644 --- a/l10n/gl/files_trashbin.po +++ b/l10n/gl/files_trashbin.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: I Robot \n" "Language-Team: Galician (http://www.transifex.com/projects/p/owncloud/language/gl/)\n" "MIME-Version: 1.0\n" diff --git a/l10n/gl/lib.po b/l10n/gl/lib.po index e62d4879cd..d91186c5b8 100644 --- a/l10n/gl/lib.po +++ b/l10n/gl/lib.po @@ -8,8 +8,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:13+0000\n" +"POT-Creation-Date: 2013-07-24 01:55-0400\n" +"PO-Revision-Date: 2013-07-24 05:55+0000\n" "Last-Translator: I Robot \n" "Language-Team: Galician (http://www.transifex.com/projects/p/owncloud/language/gl/)\n" "MIME-Version: 1.0\n" @@ -42,27 +42,43 @@ msgstr "Aplicativos" msgid "Admin" msgstr "Administración" -#: defaults.php:33 -msgid "web services under your control" +#: app.php:844 +#, php-format +msgid "Failed to upgrade \"%s\"." msgstr "" -#: files.php:210 +#: defaults.php:33 +msgid "web services under your control" +msgstr "servizos web baixo o seu control" + +#: files.php:66 files.php:98 +#, php-format +msgid "cannot open \"%s\"" +msgstr "" + +#: files.php:226 msgid "ZIP download is turned off." msgstr "As descargas ZIP están desactivadas." -#: files.php:211 +#: files.php:227 msgid "Files need to be downloaded one by one." msgstr "Os ficheiros necesitan seren descargados dun en un." -#: files.php:212 files.php:245 +#: files.php:228 files.php:256 msgid "Back to Files" msgstr "Volver aos ficheiros" -#: files.php:242 +#: files.php:253 msgid "Selected files too large to generate zip file." msgstr "Os ficheiros seleccionados son demasiado grandes como para xerar un ficheiro zip." -#: helper.php:236 +#: files.php:254 +msgid "" +"Download the files in smaller chunks, seperately or kindly ask your " +"administrator." +msgstr "" + +#: helper.php:235 msgid "couldn't be determined" msgstr "non foi posíbel determinalo" @@ -171,77 +187,81 @@ msgstr "A orde ofensiva foi: «%s», nome: %s, contrasinal: %s" msgid "PostgreSQL username and/or password not valid" msgstr "Nome de usuario e/ou contrasinal de PostgreSQL incorrecto" -#: setup.php:42 +#: setup.php:28 msgid "Set an admin username." msgstr "Estabeleza un nome de usuario administrador" -#: setup.php:45 +#: setup.php:31 msgid "Set an admin password." msgstr "Estabeleza un contrasinal de administrador" -#: setup.php:198 +#: setup.php:184 msgid "" "Your web server is not yet properly setup to allow files synchronization " "because the WebDAV interface seems to be broken." msgstr "O seu servidor web non está aínda configurado adecuadamente para permitir a sincronización de ficheiros xa que semella que a interface WebDAV non está a funcionar." -#: setup.php:199 +#: setup.php:185 #, php-format msgid "Please double check the installation guides." msgstr "Volva comprobar as guías de instalación" -#: template.php:113 +#: template/functions.php:80 msgid "seconds ago" msgstr "segundos atrás" -#: template.php:114 +#: template/functions.php:81 msgid "1 minute ago" msgstr "hai 1 minuto" -#: template.php:115 +#: template/functions.php:82 #, php-format msgid "%d minutes ago" msgstr "hai %d minutos" -#: template.php:116 +#: template/functions.php:83 msgid "1 hour ago" msgstr "Vai 1 hora" -#: template.php:117 +#: template/functions.php:84 #, php-format msgid "%d hours ago" msgstr "Vai %d horas" -#: template.php:118 +#: template/functions.php:85 msgid "today" msgstr "hoxe" -#: template.php:119 +#: template/functions.php:86 msgid "yesterday" msgstr "onte" -#: template.php:120 +#: template/functions.php:87 #, php-format msgid "%d days ago" msgstr "hai %d días" -#: template.php:121 +#: template/functions.php:88 msgid "last month" msgstr "último mes" -#: template.php:122 +#: template/functions.php:89 #, php-format msgid "%d months ago" msgstr "Vai %d meses" -#: template.php:123 +#: template/functions.php:90 msgid "last year" msgstr "último ano" -#: template.php:124 +#: template/functions.php:91 msgid "years ago" msgstr "anos atrás" +#: template.php:296 +msgid "Caused by:" +msgstr "" + #: vcategories.php:188 vcategories.php:249 #, php-format msgid "Could not find category \"%s\"" diff --git a/l10n/gl/settings.po b/l10n/gl/settings.po index 00193b8e68..d82cc9352e 100644 --- a/l10n/gl/settings.po +++ b/l10n/gl/settings.po @@ -8,8 +8,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-24 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 17:20+0000\n" "Last-Translator: mbouzada \n" "Language-Team: Galician (http://www.transifex.com/projects/p/owncloud/language/gl/)\n" "MIME-Version: 1.0\n" @@ -274,62 +274,71 @@ msgstr "Permitir ligazóns" msgid "Allow users to share items to the public with links" msgstr "Permitir que os usuarios compartan elementos ao público con ligazóns" -#: templates/admin.php:152 +#: templates/admin.php:153 +msgid "Allow public uploads" +msgstr "Permitir os envíos públicos" + +#: templates/admin.php:154 +msgid "" +"Allow users to enable others to upload into their publicly shared folders" +msgstr "Permitir que os usuarios lle permitan a outros enviar aos seus cartafoles compartidos publicamente" + +#: templates/admin.php:162 msgid "Allow resharing" msgstr "Permitir compartir" -#: templates/admin.php:153 +#: templates/admin.php:163 msgid "Allow users to share items shared with them again" msgstr "Permitir que os usuarios compartan de novo os elementos compartidos con eles" -#: templates/admin.php:160 +#: templates/admin.php:170 msgid "Allow users to share with anyone" msgstr "Permitir que os usuarios compartan con calquera" -#: templates/admin.php:163 +#: templates/admin.php:173 msgid "Allow users to only share with users in their groups" msgstr "Permitir que os usuarios compartan só cos usuarios dos seus grupos" -#: templates/admin.php:170 +#: templates/admin.php:180 msgid "Security" msgstr "Seguranza" -#: templates/admin.php:183 +#: templates/admin.php:193 msgid "Enforce HTTPS" msgstr "Forzar HTTPS" -#: templates/admin.php:184 +#: templates/admin.php:194 msgid "" "Enforces the clients to connect to ownCloud via an encrypted connection." msgstr "Forzar que os clientes se conecten a ownCloud empregando unha conexión cifrada" -#: templates/admin.php:187 +#: templates/admin.php:197 msgid "" "Please connect to this ownCloud instance via HTTPS to enable or disable the " "SSL enforcement." msgstr "Conectese a esta instancia ownCloud empregando HTTPS para activar ou desactivar o forzado de SSL." -#: templates/admin.php:197 +#: templates/admin.php:207 msgid "Log" msgstr "Rexistro" -#: templates/admin.php:198 +#: templates/admin.php:208 msgid "Log level" msgstr "Nivel de rexistro" -#: templates/admin.php:229 +#: templates/admin.php:239 msgid "More" msgstr "Máis" -#: templates/admin.php:230 +#: templates/admin.php:240 msgid "Less" msgstr "Menos" -#: templates/admin.php:236 templates/personal.php:116 +#: templates/admin.php:246 templates/personal.php:116 msgid "Version" msgstr "Versión" -#: templates/admin.php:240 templates/personal.php:119 +#: templates/admin.php:250 templates/personal.php:119 msgid "" "Developed by the ownCloud community, the access your Files via WebDAV" +msgstr "Empregue esta ligazón para acceder aos sus ficheiros mediante WebDAV" #: templates/users.php:21 msgid "Login Name" diff --git a/l10n/gl/user_ldap.po b/l10n/gl/user_ldap.po index ecdd18174c..bd5ac27740 100644 --- a/l10n/gl/user_ldap.po +++ b/l10n/gl/user_ldap.po @@ -8,8 +8,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: mbouzada \n" "Language-Team: Galician (http://www.transifex.com/projects/p/owncloud/language/gl/)\n" "MIME-Version: 1.0\n" diff --git a/l10n/he/core.po b/l10n/he/core.po index f2f73c62a5..d213b053b2 100644 --- a/l10n/he/core.po +++ b/l10n/he/core.po @@ -8,8 +8,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:12+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:04+0000\n" "Last-Translator: I Robot \n" "Language-Team: Hebrew (http://www.transifex.com/projects/p/owncloud/language/he/)\n" "MIME-Version: 1.0\n" @@ -138,59 +138,59 @@ msgstr "נובמבר" msgid "December" msgstr "דצמבר" -#: js/js.js:289 +#: js/js.js:293 msgid "Settings" msgstr "הגדרות" -#: js/js.js:721 +#: js/js.js:715 msgid "seconds ago" msgstr "שניות" -#: js/js.js:722 +#: js/js.js:716 msgid "1 minute ago" msgstr "לפני דקה אחת" -#: js/js.js:723 +#: js/js.js:717 msgid "{minutes} minutes ago" msgstr "לפני {minutes} דקות" -#: js/js.js:724 +#: js/js.js:718 msgid "1 hour ago" msgstr "לפני שעה" -#: js/js.js:725 +#: js/js.js:719 msgid "{hours} hours ago" msgstr "לפני {hours} שעות" -#: js/js.js:726 +#: js/js.js:720 msgid "today" msgstr "היום" -#: js/js.js:727 +#: js/js.js:721 msgid "yesterday" msgstr "אתמול" -#: js/js.js:728 +#: js/js.js:722 msgid "{days} days ago" msgstr "לפני {days} ימים" -#: js/js.js:729 +#: js/js.js:723 msgid "last month" msgstr "חודש שעבר" -#: js/js.js:730 +#: js/js.js:724 msgid "{months} months ago" msgstr "לפני {months} חודשים" -#: js/js.js:731 +#: js/js.js:725 msgid "months ago" msgstr "חודשים" -#: js/js.js:732 +#: js/js.js:726 msgid "last year" msgstr "שנה שעברה" -#: js/js.js:733 +#: js/js.js:727 msgid "years ago" msgstr "שנים" @@ -226,8 +226,8 @@ msgstr "סוג הפריט לא צוין." #: js/oc-vcategories.js:14 js/oc-vcategories.js:80 js/oc-vcategories.js:95 #: js/oc-vcategories.js:110 js/oc-vcategories.js:125 js/oc-vcategories.js:136 #: js/oc-vcategories.js:172 js/oc-vcategories.js:189 js/oc-vcategories.js:195 -#: js/oc-vcategories.js:199 js/share.js:136 js/share.js:143 js/share.js:618 -#: js/share.js:630 +#: js/oc-vcategories.js:199 js/share.js:136 js/share.js:143 js/share.js:625 +#: js/share.js:637 msgid "Error" msgstr "שגיאה" @@ -247,7 +247,7 @@ msgstr "שותף" msgid "Share" msgstr "שתף" -#: js/share.js:125 js/share.js:658 +#: js/share.js:125 js/share.js:665 msgid "Error while sharing" msgstr "שגיאה במהלך השיתוף" @@ -267,114 +267,114 @@ msgstr "שותף אתך ועם הקבוצה {group} שבבעלות {owner}" msgid "Shared with you by {owner}" msgstr "שותף אתך על ידי {owner}" -#: js/share.js:172 +#: js/share.js:177 msgid "Share with" msgstr "שיתוף עם" -#: js/share.js:177 +#: js/share.js:182 msgid "Share with link" msgstr "שיתוף עם קישור" -#: js/share.js:180 +#: js/share.js:185 msgid "Password protect" msgstr "הגנה בססמה" -#: js/share.js:182 templates/installation.php:54 templates/login.php:26 +#: js/share.js:187 templates/installation.php:54 templates/login.php:26 msgid "Password" msgstr "סיסמא" -#: js/share.js:186 +#: js/share.js:192 msgid "Allow Public Upload" msgstr "" -#: js/share.js:189 +#: js/share.js:196 msgid "Email link to person" msgstr "שליחת קישור בדוא״ל למשתמש" -#: js/share.js:190 +#: js/share.js:197 msgid "Send" msgstr "שליחה" -#: js/share.js:195 +#: js/share.js:202 msgid "Set expiration date" msgstr "הגדרת תאריך תפוגה" -#: js/share.js:196 +#: js/share.js:203 msgid "Expiration date" msgstr "תאריך התפוגה" -#: js/share.js:228 +#: js/share.js:235 msgid "Share via email:" msgstr "שיתוף באמצעות דוא״ל:" -#: js/share.js:230 +#: js/share.js:237 msgid "No people found" msgstr "לא נמצאו אנשים" -#: js/share.js:268 +#: js/share.js:275 msgid "Resharing is not allowed" msgstr "אסור לעשות שיתוף מחדש" -#: js/share.js:304 +#: js/share.js:311 msgid "Shared in {item} with {user}" msgstr "שותף תחת {item} עם {user}" -#: js/share.js:325 +#: js/share.js:332 msgid "Unshare" msgstr "הסר שיתוף" -#: js/share.js:337 +#: js/share.js:344 msgid "can edit" msgstr "ניתן לערוך" -#: js/share.js:339 +#: js/share.js:346 msgid "access control" msgstr "בקרת גישה" -#: js/share.js:342 +#: js/share.js:349 msgid "create" msgstr "יצירה" -#: js/share.js:345 +#: js/share.js:352 msgid "update" msgstr "עדכון" -#: js/share.js:348 +#: js/share.js:355 msgid "delete" msgstr "מחיקה" -#: js/share.js:351 +#: js/share.js:358 msgid "share" msgstr "שיתוף" -#: js/share.js:385 js/share.js:605 +#: js/share.js:392 js/share.js:612 msgid "Password protected" msgstr "מוגן בססמה" -#: js/share.js:618 +#: js/share.js:625 msgid "Error unsetting expiration date" msgstr "אירעה שגיאה בביטול תאריך התפוגה" -#: js/share.js:630 +#: js/share.js:637 msgid "Error setting expiration date" msgstr "אירעה שגיאה בעת הגדרת תאריך התפוגה" -#: js/share.js:645 +#: js/share.js:652 msgid "Sending ..." msgstr "מתבצעת שליחה ..." -#: js/share.js:656 +#: js/share.js:663 msgid "Email sent" msgstr "הודעת הדוא״ל נשלחה" -#: js/update.js:14 +#: js/update.js:17 msgid "" "The update was unsuccessful. Please report this issue to the ownCloud " "community." msgstr "תהליך העדכון לא הושלם בהצלחה. נא דווח את הבעיה בקהילת ownCloud." -#: js/update.js:18 +#: js/update.js:21 msgid "The update was successful. Redirecting you to ownCloud now." msgstr "תהליך העדכון הסתיים בהצלחה. עכשיו מנתב אותך אל ownCloud." @@ -466,7 +466,7 @@ msgstr "הגישה נחסמה" msgid "Cloud not found" msgstr "ענן לא נמצא" -#: templates/altmail.php:2 +#: templates/altmail.php:4 #, php-format msgid "" "Hey there,\n" @@ -477,10 +477,6 @@ msgid "" "Cheers!" msgstr "" -#: templates/altmail.php:7 templates/mail.php:24 -msgid "web services under your control" -msgstr "שירותי רשת תחת השליטה שלך" - #: templates/edit_categories_dialog.php:4 msgid "Edit categories" msgstr "ערוך קטגוריות" @@ -612,7 +608,7 @@ msgstr "כניסה" msgid "Alternative Logins" msgstr "כניסות אלטרנטיביות" -#: templates/mail.php:15 +#: templates/mail.php:16 #, php-format msgid "" "Hey there,

    just letting you know that %s shared »%s« with you.
    \n" "Language-Team: Hebrew (http://www.transifex.com/projects/p/owncloud/language/he/)\n" "MIME-Version: 1.0\n" @@ -28,54 +28,54 @@ msgstr "לא ניתן להעביר את %s - קובץ בשם הזה כבר קי msgid "Could not move %s" msgstr "לא ניתן להעביר את %s" -#: ajax/upload.php:16 ajax/upload.php:39 +#: ajax/upload.php:16 ajax/upload.php:45 msgid "Unable to set upload directory." msgstr "" -#: ajax/upload.php:23 +#: ajax/upload.php:22 msgid "Invalid Token" msgstr "" -#: ajax/upload.php:55 +#: ajax/upload.php:59 msgid "No file was uploaded. Unknown error" msgstr "לא הועלה קובץ. טעות בלתי מזוהה." -#: ajax/upload.php:62 +#: ajax/upload.php:66 msgid "There is no error, the file uploaded with success" msgstr "לא התרחשה שגיאה, הקובץ הועלה בהצלחה" -#: ajax/upload.php:63 +#: ajax/upload.php:67 msgid "" "The uploaded file exceeds the upload_max_filesize directive in php.ini: " msgstr "הקבצים שנשלחו חורגים מהגודל שצוין בהגדרה upload_max_filesize שבקובץ php.ini:" -#: ajax/upload.php:65 +#: ajax/upload.php:69 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:66 +#: ajax/upload.php:70 msgid "The uploaded file was only partially uploaded" msgstr "הקובץ הועלה באופן חלקי בלבד" -#: ajax/upload.php:67 +#: ajax/upload.php:71 msgid "No file was uploaded" msgstr "שום קובץ לא הועלה" -#: ajax/upload.php:68 +#: ajax/upload.php:72 msgid "Missing a temporary folder" msgstr "תקיה זמנית חסרה" -#: ajax/upload.php:69 +#: ajax/upload.php:73 msgid "Failed to write to disk" msgstr "הכתיבה לכונן נכשלה" -#: ajax/upload.php:87 +#: ajax/upload.php:91 msgid "Not enough storage available" msgstr "אין די שטח פנוי באחסון" -#: ajax/upload.php:119 +#: ajax/upload.php:123 msgid "Invalid directory." msgstr "תיקייה שגויה." @@ -129,43 +129,43 @@ msgstr "מחיקה" msgid "Rename" msgstr "שינוי שם" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:464 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:465 msgid "Pending" msgstr "ממתין" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "{new_name} already exists" msgstr "{new_name} כבר קיים" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "replace" msgstr "החלפה" -#: js/filelist.js:302 +#: js/filelist.js:303 msgid "suggest name" msgstr "הצעת שם" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "cancel" msgstr "ביטול" -#: js/filelist.js:349 +#: js/filelist.js:350 msgid "replaced {new_name} with {old_name}" msgstr "{new_name} הוחלף ב־{old_name}" -#: js/filelist.js:349 +#: js/filelist.js:350 msgid "undo" msgstr "ביטול" -#: js/filelist.js:374 +#: js/filelist.js:375 msgid "perform delete operation" msgstr "ביצוע פעולת מחיקה" -#: js/filelist.js:456 +#: js/filelist.js:457 msgid "1 file uploading" msgstr "קובץ אחד נשלח" -#: js/filelist.js:459 js/filelist.js:517 +#: js/filelist.js:460 js/filelist.js:518 msgid "files uploading" msgstr "קבצים בהעלאה" @@ -213,19 +213,19 @@ msgstr "גודל" msgid "Modified" msgstr "זמן שינוי" -#: js/files.js:765 +#: js/files.js:763 msgid "1 folder" msgstr "תיקייה אחת" -#: js/files.js:767 +#: js/files.js:765 msgid "{count} folders" msgstr "{count} תיקיות" -#: js/files.js:775 +#: js/files.js:773 msgid "1 file" msgstr "קובץ אחד" -#: js/files.js:777 +#: js/files.js:775 msgid "{count} files" msgstr "{count} קבצים" @@ -328,19 +328,19 @@ msgstr "הקבצים נסרקים, נא להמתין." msgid "Current scanning" msgstr "הסריקה הנוכחית" -#: templates/part.list.php:78 +#: templates/part.list.php:74 msgid "directory" msgstr "" -#: templates/part.list.php:80 +#: templates/part.list.php:76 msgid "directories" msgstr "" -#: templates/part.list.php:89 +#: templates/part.list.php:85 msgid "file" msgstr "קובץ" -#: templates/part.list.php:91 +#: templates/part.list.php:87 msgid "files" msgstr "קבצים" diff --git a/l10n/he/files_external.po b/l10n/he/files_external.po index 9e418a262f..42013789e8 100644 --- a/l10n/he/files_external.po +++ b/l10n/he/files_external.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: I Robot \n" "Language-Team: Hebrew (http://www.transifex.com/projects/p/owncloud/language/he/)\n" "MIME-Version: 1.0\n" @@ -37,20 +37,20 @@ msgstr "נא לספק קוד יישום וסוד תקניים של Dropbox." msgid "Error configuring Google Drive storage" msgstr "אירעה שגיאה בעת הגדרת אחסון ב־Google Drive" -#: lib/config.php:431 +#: lib/config.php:447 msgid "" "Warning: \"smbclient\" is not installed. Mounting of CIFS/SMB shares " "is not possible. Please ask your system administrator to install it." msgstr "" -#: lib/config.php:434 +#: lib/config.php:450 msgid "" "Warning: The FTP support in PHP is not enabled or installed. Mounting" " of FTP shares is not possible. Please ask your system administrator to " "install it." msgstr "" -#: lib/config.php:437 +#: lib/config.php:453 msgid "" "Warning: The Curl support in PHP is not enabled or installed. " "Mounting of ownCloud / WebDAV or GoogleDrive is not possible. Please ask " diff --git a/l10n/he/files_sharing.po b/l10n/he/files_sharing.po index 4e039d7668..ed15a0077f 100644 --- a/l10n/he/files_sharing.po +++ b/l10n/he/files_sharing.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:13+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: I Robot \n" "Language-Team: Hebrew (http://www.transifex.com/projects/p/owncloud/language/he/)\n" "MIME-Version: 1.0\n" @@ -39,18 +39,18 @@ msgstr "%s שיתף עמך את התיקייה %s" msgid "%s shared the file %s with you" msgstr "%s שיתף עמך את הקובץ %s" -#: templates/public.php:28 templates/public.php:86 +#: templates/public.php:28 templates/public.php:90 msgid "Download" msgstr "הורדה" -#: templates/public.php:44 +#: templates/public.php:45 templates/public.php:48 msgid "Upload" msgstr "העלאה" -#: templates/public.php:54 +#: templates/public.php:58 msgid "Cancel upload" msgstr "ביטול ההעלאה" -#: templates/public.php:83 +#: templates/public.php:87 msgid "No preview available for" msgstr "אין תצוגה מקדימה זמינה עבור" diff --git a/l10n/he/files_trashbin.po b/l10n/he/files_trashbin.po index 83f118e94f..5757ded1d0 100644 --- a/l10n/he/files_trashbin.po +++ b/l10n/he/files_trashbin.po @@ -8,8 +8,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: Yaron Shahrabani \n" "Language-Team: Hebrew (http://www.transifex.com/projects/p/owncloud/language/he/)\n" "MIME-Version: 1.0\n" diff --git a/l10n/he/lib.po b/l10n/he/lib.po index 1294bfdc82..bb79451d05 100644 --- a/l10n/he/lib.po +++ b/l10n/he/lib.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:13+0000\n" +"POT-Creation-Date: 2013-07-24 01:55-0400\n" +"PO-Revision-Date: 2013-07-24 05:55+0000\n" "Last-Translator: I Robot \n" "Language-Team: Hebrew (http://www.transifex.com/projects/p/owncloud/language/he/)\n" "MIME-Version: 1.0\n" @@ -41,27 +41,43 @@ msgstr "יישומים" msgid "Admin" msgstr "מנהל" -#: defaults.php:33 -msgid "web services under your control" +#: app.php:844 +#, php-format +msgid "Failed to upgrade \"%s\"." msgstr "" -#: files.php:210 +#: defaults.php:33 +msgid "web services under your control" +msgstr "שירותי רשת תחת השליטה שלך" + +#: files.php:66 files.php:98 +#, php-format +msgid "cannot open \"%s\"" +msgstr "" + +#: files.php:226 msgid "ZIP download is turned off." msgstr "הורדת ZIP כבויה" -#: files.php:211 +#: files.php:227 msgid "Files need to be downloaded one by one." msgstr "יש להוריד את הקבצים אחד אחרי השני." -#: files.php:212 files.php:245 +#: files.php:228 files.php:256 msgid "Back to Files" msgstr "חזרה לקבצים" -#: files.php:242 +#: files.php:253 msgid "Selected files too large to generate zip file." msgstr "הקבצים הנבחרים גדולים מידי ליצירת קובץ zip." -#: helper.php:236 +#: files.php:254 +msgid "" +"Download the files in smaller chunks, seperately or kindly ask your " +"administrator." +msgstr "" + +#: helper.php:235 msgid "couldn't be determined" msgstr "" @@ -170,77 +186,81 @@ msgstr "" msgid "PostgreSQL username and/or password not valid" msgstr "" -#: setup.php:42 +#: setup.php:28 msgid "Set an admin username." msgstr "" -#: setup.php:45 +#: setup.php:31 msgid "Set an admin password." msgstr "" -#: setup.php:198 +#: setup.php:184 msgid "" "Your web server is not yet properly setup to allow files synchronization " "because the WebDAV interface seems to be broken." msgstr "שרת האינטרנט שלך אינו מוגדר לצורכי סנכרון קבצים עדיין כיוון שמנשק ה־WebDAV כנראה אינו תקין." -#: setup.php:199 +#: setup.php:185 #, php-format msgid "Please double check the installation guides." msgstr "נא לעיין שוב במדריכי ההתקנה." -#: template.php:113 +#: template/functions.php:80 msgid "seconds ago" msgstr "שניות" -#: template.php:114 +#: template/functions.php:81 msgid "1 minute ago" msgstr "לפני דקה אחת" -#: template.php:115 +#: template/functions.php:82 #, php-format msgid "%d minutes ago" msgstr "לפני %d דקות" -#: template.php:116 +#: template/functions.php:83 msgid "1 hour ago" msgstr "לפני שעה" -#: template.php:117 +#: template/functions.php:84 #, php-format msgid "%d hours ago" msgstr "לפני %d שעות" -#: template.php:118 +#: template/functions.php:85 msgid "today" msgstr "היום" -#: template.php:119 +#: template/functions.php:86 msgid "yesterday" msgstr "אתמול" -#: template.php:120 +#: template/functions.php:87 #, php-format msgid "%d days ago" msgstr "לפני %d ימים" -#: template.php:121 +#: template/functions.php:88 msgid "last month" msgstr "חודש שעבר" -#: template.php:122 +#: template/functions.php:89 #, php-format msgid "%d months ago" msgstr "לפני %d חודשים" -#: template.php:123 +#: template/functions.php:90 msgid "last year" msgstr "שנה שעברה" -#: template.php:124 +#: template/functions.php:91 msgid "years ago" msgstr "שנים" +#: template.php:296 +msgid "Caused by:" +msgstr "" + #: vcategories.php:188 vcategories.php:249 #, php-format msgid "Could not find category \"%s\"" diff --git a/l10n/he/settings.po b/l10n/he/settings.po index 0be65ca663..181a433036 100644 --- a/l10n/he/settings.po +++ b/l10n/he/settings.po @@ -8,8 +8,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:55+0000\n" "Last-Translator: I Robot \n" "Language-Team: Hebrew (http://www.transifex.com/projects/p/owncloud/language/he/)\n" "MIME-Version: 1.0\n" @@ -274,62 +274,71 @@ msgstr "לאפשר קישורים" msgid "Allow users to share items to the public with links" msgstr "לאפשר למשתמשים לשתף פריטים " -#: templates/admin.php:152 +#: templates/admin.php:153 +msgid "Allow public uploads" +msgstr "" + +#: templates/admin.php:154 +msgid "" +"Allow users to enable others to upload into their publicly shared folders" +msgstr "" + +#: templates/admin.php:162 msgid "Allow resharing" msgstr "לאפשר שיתוף מחדש" -#: templates/admin.php:153 +#: templates/admin.php:163 msgid "Allow users to share items shared with them again" msgstr "לאפשר למשתמשים לשתף הלאה פריטים ששותפו אתם" -#: templates/admin.php:160 +#: templates/admin.php:170 msgid "Allow users to share with anyone" msgstr "לאפשר למשתמשים לשתף עם כל אחד" -#: templates/admin.php:163 +#: templates/admin.php:173 msgid "Allow users to only share with users in their groups" msgstr "לאפשר למשתמשים לשתף עם משתמשים בקבוצות שלהם בלבד" -#: templates/admin.php:170 +#: templates/admin.php:180 msgid "Security" msgstr "אבטחה" -#: templates/admin.php:183 +#: templates/admin.php:193 msgid "Enforce HTTPS" msgstr "לאלץ HTTPS" -#: templates/admin.php:184 +#: templates/admin.php:194 msgid "" "Enforces the clients to connect to ownCloud via an encrypted connection." msgstr "" -#: templates/admin.php:187 +#: templates/admin.php:197 msgid "" "Please connect to this ownCloud instance via HTTPS to enable or disable the " "SSL enforcement." msgstr "" -#: templates/admin.php:197 +#: templates/admin.php:207 msgid "Log" msgstr "יומן" -#: templates/admin.php:198 +#: templates/admin.php:208 msgid "Log level" msgstr "רמת הדיווח" -#: templates/admin.php:229 +#: templates/admin.php:239 msgid "More" msgstr "יותר" -#: templates/admin.php:230 +#: templates/admin.php:240 msgid "Less" msgstr "פחות" -#: templates/admin.php:236 templates/personal.php:116 +#: templates/admin.php:246 templates/personal.php:116 msgid "Version" msgstr "גרסא" -#: templates/admin.php:240 templates/personal.php:119 +#: templates/admin.php:250 templates/personal.php:119 msgid "" "Developed by the ownCloud community, the access your Files via WebDAV" +msgstr "" #: templates/users.php:21 msgid "Login Name" diff --git a/l10n/he/user_ldap.po b/l10n/he/user_ldap.po index c21103fa52..d148bb0436 100644 --- a/l10n/he/user_ldap.po +++ b/l10n/he/user_ldap.po @@ -8,8 +8,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: I Robot \n" "Language-Team: Hebrew (http://www.transifex.com/projects/p/owncloud/language/he/)\n" "MIME-Version: 1.0\n" diff --git a/l10n/hi/core.po b/l10n/hi/core.po index 18d44932d4..dc21219232 100644 --- a/l10n/hi/core.po +++ b/l10n/hi/core.po @@ -8,8 +8,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:12+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:04+0000\n" "Last-Translator: I Robot \n" "Language-Team: Hindi (http://www.transifex.com/projects/p/owncloud/language/hi/)\n" "MIME-Version: 1.0\n" @@ -138,59 +138,59 @@ msgstr "नवंबर" msgid "December" msgstr "दिसम्बर" -#: js/js.js:289 +#: js/js.js:293 msgid "Settings" msgstr "सेटिंग्स" -#: js/js.js:721 +#: js/js.js:715 msgid "seconds ago" msgstr "" -#: js/js.js:722 +#: js/js.js:716 msgid "1 minute ago" msgstr "" -#: js/js.js:723 +#: js/js.js:717 msgid "{minutes} minutes ago" msgstr "" -#: js/js.js:724 +#: js/js.js:718 msgid "1 hour ago" msgstr "" -#: js/js.js:725 +#: js/js.js:719 msgid "{hours} hours ago" msgstr "" -#: js/js.js:726 +#: js/js.js:720 msgid "today" msgstr "" -#: js/js.js:727 +#: js/js.js:721 msgid "yesterday" msgstr "" -#: js/js.js:728 +#: js/js.js:722 msgid "{days} days ago" msgstr "" -#: js/js.js:729 +#: js/js.js:723 msgid "last month" msgstr "" -#: js/js.js:730 +#: js/js.js:724 msgid "{months} months ago" msgstr "" -#: js/js.js:731 +#: js/js.js:725 msgid "months ago" msgstr "" -#: js/js.js:732 +#: js/js.js:726 msgid "last year" msgstr "" -#: js/js.js:733 +#: js/js.js:727 msgid "years ago" msgstr "" @@ -226,10 +226,10 @@ msgstr "" #: js/oc-vcategories.js:14 js/oc-vcategories.js:80 js/oc-vcategories.js:95 #: js/oc-vcategories.js:110 js/oc-vcategories.js:125 js/oc-vcategories.js:136 #: js/oc-vcategories.js:172 js/oc-vcategories.js:189 js/oc-vcategories.js:195 -#: js/oc-vcategories.js:199 js/share.js:136 js/share.js:143 js/share.js:618 -#: js/share.js:630 +#: js/oc-vcategories.js:199 js/share.js:136 js/share.js:143 js/share.js:625 +#: js/share.js:637 msgid "Error" -msgstr "" +msgstr "त्रुटि" #: js/oc-vcategories.js:179 msgid "The app name is not specified." @@ -247,7 +247,7 @@ msgstr "" msgid "Share" msgstr "साझा करें" -#: js/share.js:125 js/share.js:658 +#: js/share.js:125 js/share.js:665 msgid "Error while sharing" msgstr "" @@ -267,114 +267,114 @@ msgstr "" msgid "Shared with you by {owner}" msgstr "" -#: js/share.js:172 +#: js/share.js:177 msgid "Share with" msgstr "के साथ साझा" -#: js/share.js:177 +#: js/share.js:182 msgid "Share with link" msgstr "" -#: js/share.js:180 +#: js/share.js:185 msgid "Password protect" msgstr "" -#: js/share.js:182 templates/installation.php:54 templates/login.php:26 +#: js/share.js:187 templates/installation.php:54 templates/login.php:26 msgid "Password" msgstr "पासवर्ड" -#: js/share.js:186 +#: js/share.js:192 msgid "Allow Public Upload" msgstr "" -#: js/share.js:189 +#: js/share.js:196 msgid "Email link to person" msgstr "" -#: js/share.js:190 +#: js/share.js:197 msgid "Send" msgstr "" -#: js/share.js:195 +#: js/share.js:202 msgid "Set expiration date" msgstr "" -#: js/share.js:196 +#: js/share.js:203 msgid "Expiration date" msgstr "" -#: js/share.js:228 +#: js/share.js:235 msgid "Share via email:" msgstr "" -#: js/share.js:230 +#: js/share.js:237 msgid "No people found" msgstr "" -#: js/share.js:268 +#: js/share.js:275 msgid "Resharing is not allowed" msgstr "" -#: js/share.js:304 +#: js/share.js:311 msgid "Shared in {item} with {user}" msgstr "" -#: js/share.js:325 +#: js/share.js:332 msgid "Unshare" msgstr "" -#: js/share.js:337 +#: js/share.js:344 msgid "can edit" msgstr "" -#: js/share.js:339 +#: js/share.js:346 msgid "access control" msgstr "" -#: js/share.js:342 +#: js/share.js:349 msgid "create" msgstr "" -#: js/share.js:345 +#: js/share.js:352 msgid "update" msgstr "" -#: js/share.js:348 +#: js/share.js:355 msgid "delete" msgstr "" -#: js/share.js:351 +#: js/share.js:358 msgid "share" msgstr "" -#: js/share.js:385 js/share.js:605 +#: js/share.js:392 js/share.js:612 msgid "Password protected" msgstr "" -#: js/share.js:618 +#: js/share.js:625 msgid "Error unsetting expiration date" msgstr "" -#: js/share.js:630 +#: js/share.js:637 msgid "Error setting expiration date" msgstr "" -#: js/share.js:645 +#: js/share.js:652 msgid "Sending ..." msgstr "" -#: js/share.js:656 +#: js/share.js:663 msgid "Email sent" msgstr "" -#: js/update.js:14 +#: js/update.js:17 msgid "" "The update was unsuccessful. Please report this issue to the ownCloud " "community." msgstr "" -#: js/update.js:18 +#: js/update.js:21 msgid "The update was successful. Redirecting you to ownCloud now." msgstr "" @@ -466,7 +466,7 @@ msgstr "" msgid "Cloud not found" msgstr "क्लौड नहीं मिला " -#: templates/altmail.php:2 +#: templates/altmail.php:4 #, php-format msgid "" "Hey there,\n" @@ -477,10 +477,6 @@ msgid "" "Cheers!" msgstr "" -#: templates/altmail.php:7 templates/mail.php:24 -msgid "web services under your control" -msgstr "" - #: templates/edit_categories_dialog.php:4 msgid "Edit categories" msgstr "" @@ -612,7 +608,7 @@ msgstr "" msgid "Alternative Logins" msgstr "" -#: templates/mail.php:15 +#: templates/mail.php:16 #, php-format msgid "" "Hey there,

    just letting you know that %s shared »%s« with you.
    \n" "Language-Team: Hindi (http://www.transifex.com/projects/p/owncloud/language/hi/)\n" "MIME-Version: 1.0\n" @@ -27,54 +27,54 @@ msgstr "" msgid "Could not move %s" msgstr "" -#: ajax/upload.php:16 ajax/upload.php:39 +#: ajax/upload.php:16 ajax/upload.php:45 msgid "Unable to set upload directory." msgstr "" -#: ajax/upload.php:23 +#: ajax/upload.php:22 msgid "Invalid Token" msgstr "" -#: ajax/upload.php:55 +#: ajax/upload.php:59 msgid "No file was uploaded. Unknown error" msgstr "" -#: ajax/upload.php:62 +#: ajax/upload.php:66 msgid "There is no error, the file uploaded with success" msgstr "" -#: ajax/upload.php:63 +#: ajax/upload.php:67 msgid "" "The uploaded file exceeds the upload_max_filesize directive in php.ini: " msgstr "" -#: ajax/upload.php:65 +#: ajax/upload.php:69 msgid "" "The uploaded file exceeds the MAX_FILE_SIZE directive that was specified in " "the HTML form" msgstr "" -#: ajax/upload.php:66 +#: ajax/upload.php:70 msgid "The uploaded file was only partially uploaded" msgstr "" -#: ajax/upload.php:67 +#: ajax/upload.php:71 msgid "No file was uploaded" msgstr "" -#: ajax/upload.php:68 +#: ajax/upload.php:72 msgid "Missing a temporary folder" msgstr "" -#: ajax/upload.php:69 +#: ajax/upload.php:73 msgid "Failed to write to disk" msgstr "" -#: ajax/upload.php:87 +#: ajax/upload.php:91 msgid "Not enough storage available" msgstr "" -#: ajax/upload.php:119 +#: ajax/upload.php:123 msgid "Invalid directory." msgstr "" @@ -110,7 +110,7 @@ msgstr "" #: js/file-upload.js:267 js/file-upload.js:283 js/files.js:373 js/files.js:389 #: js/files.js:693 js/files.js:731 msgid "Error" -msgstr "" +msgstr "त्रुटि" #: js/fileactions.js:116 msgid "Share" @@ -128,43 +128,43 @@ msgstr "" msgid "Rename" msgstr "" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:464 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:465 msgid "Pending" msgstr "" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "{new_name} already exists" msgstr "" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "replace" msgstr "" -#: js/filelist.js:302 +#: js/filelist.js:303 msgid "suggest name" msgstr "" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "cancel" msgstr "" -#: js/filelist.js:349 +#: js/filelist.js:350 msgid "replaced {new_name} with {old_name}" msgstr "" -#: js/filelist.js:349 +#: js/filelist.js:350 msgid "undo" msgstr "" -#: js/filelist.js:374 +#: js/filelist.js:375 msgid "perform delete operation" msgstr "" -#: js/filelist.js:456 +#: js/filelist.js:457 msgid "1 file uploading" msgstr "" -#: js/filelist.js:459 js/filelist.js:517 +#: js/filelist.js:460 js/filelist.js:518 msgid "files uploading" msgstr "" @@ -212,19 +212,19 @@ msgstr "" msgid "Modified" msgstr "" -#: js/files.js:765 +#: js/files.js:763 msgid "1 folder" msgstr "" -#: js/files.js:767 +#: js/files.js:765 msgid "{count} folders" msgstr "" -#: js/files.js:775 +#: js/files.js:773 msgid "1 file" msgstr "" -#: js/files.js:777 +#: js/files.js:775 msgid "{count} files" msgstr "" @@ -327,19 +327,19 @@ msgstr "" msgid "Current scanning" msgstr "" -#: templates/part.list.php:78 +#: templates/part.list.php:74 msgid "directory" msgstr "" -#: templates/part.list.php:80 +#: templates/part.list.php:76 msgid "directories" msgstr "" -#: templates/part.list.php:89 +#: templates/part.list.php:85 msgid "file" msgstr "" -#: templates/part.list.php:91 +#: templates/part.list.php:87 msgid "files" msgstr "" diff --git a/l10n/hi/files_trashbin.po b/l10n/hi/files_trashbin.po index 6c057b0c24..c2ebbcdce9 100644 --- a/l10n/hi/files_trashbin.po +++ b/l10n/hi/files_trashbin.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-05-25 02:01+0200\n" -"PO-Revision-Date: 2013-05-24 13:27+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: I Robot \n" "Language-Team: Hindi (http://www.transifex.com/projects/p/owncloud/language/hi/)\n" "MIME-Version: 1.0\n" @@ -27,43 +27,43 @@ msgstr "" msgid "Couldn't restore %s" msgstr "" -#: js/trash.js:7 js/trash.js:96 +#: js/trash.js:7 js/trash.js:97 msgid "perform restore operation" msgstr "" -#: js/trash.js:19 js/trash.js:46 js/trash.js:114 js/trash.js:139 +#: js/trash.js:19 js/trash.js:46 js/trash.js:115 js/trash.js:141 msgid "Error" -msgstr "" +msgstr "त्रुटि" #: js/trash.js:34 msgid "delete file permanently" msgstr "" -#: js/trash.js:121 +#: js/trash.js:123 msgid "Delete permanently" msgstr "" -#: js/trash.js:174 templates/index.php:17 +#: js/trash.js:176 templates/index.php:17 msgid "Name" msgstr "" -#: js/trash.js:175 templates/index.php:27 +#: js/trash.js:177 templates/index.php:27 msgid "Deleted" msgstr "" -#: js/trash.js:184 +#: js/trash.js:186 msgid "1 folder" msgstr "" -#: js/trash.js:186 +#: js/trash.js:188 msgid "{count} folders" msgstr "" -#: js/trash.js:194 +#: js/trash.js:196 msgid "1 file" msgstr "" -#: js/trash.js:196 +#: js/trash.js:198 msgid "{count} files" msgstr "" diff --git a/l10n/hi/lib.po b/l10n/hi/lib.po index 76cc09e1fa..4c58517285 100644 --- a/l10n/hi/lib.po +++ b/l10n/hi/lib.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:13+0000\n" +"POT-Creation-Date: 2013-07-24 01:55-0400\n" +"PO-Revision-Date: 2013-07-24 05:55+0000\n" "Last-Translator: I Robot \n" "Language-Team: Hindi (http://www.transifex.com/projects/p/owncloud/language/hi/)\n" "MIME-Version: 1.0\n" @@ -41,27 +41,43 @@ msgstr "Apps" msgid "Admin" msgstr "" +#: app.php:844 +#, php-format +msgid "Failed to upgrade \"%s\"." +msgstr "" + #: defaults.php:33 msgid "web services under your control" msgstr "" -#: files.php:210 +#: files.php:66 files.php:98 +#, php-format +msgid "cannot open \"%s\"" +msgstr "" + +#: files.php:226 msgid "ZIP download is turned off." msgstr "" -#: files.php:211 +#: files.php:227 msgid "Files need to be downloaded one by one." msgstr "" -#: files.php:212 files.php:245 +#: files.php:228 files.php:256 msgid "Back to Files" msgstr "" -#: files.php:242 +#: files.php:253 msgid "Selected files too large to generate zip file." msgstr "" -#: helper.php:236 +#: files.php:254 +msgid "" +"Download the files in smaller chunks, seperately or kindly ask your " +"administrator." +msgstr "" + +#: helper.php:235 msgid "couldn't be determined" msgstr "" @@ -170,77 +186,81 @@ msgstr "" msgid "PostgreSQL username and/or password not valid" msgstr "" -#: setup.php:42 +#: setup.php:28 msgid "Set an admin username." msgstr "" -#: setup.php:45 +#: setup.php:31 msgid "Set an admin password." msgstr "" -#: setup.php:198 +#: setup.php:184 msgid "" "Your web server is not yet properly setup to allow files synchronization " "because the WebDAV interface seems to be broken." msgstr "" -#: setup.php:199 +#: setup.php:185 #, php-format msgid "Please double check the installation guides." msgstr "" -#: template.php:113 +#: template/functions.php:80 msgid "seconds ago" msgstr "" -#: template.php:114 +#: template/functions.php:81 msgid "1 minute ago" msgstr "" -#: template.php:115 +#: template/functions.php:82 #, php-format msgid "%d minutes ago" msgstr "" -#: template.php:116 +#: template/functions.php:83 msgid "1 hour ago" msgstr "" -#: template.php:117 +#: template/functions.php:84 #, php-format msgid "%d hours ago" msgstr "" -#: template.php:118 +#: template/functions.php:85 msgid "today" msgstr "" -#: template.php:119 +#: template/functions.php:86 msgid "yesterday" msgstr "" -#: template.php:120 +#: template/functions.php:87 #, php-format msgid "%d days ago" msgstr "" -#: template.php:121 +#: template/functions.php:88 msgid "last month" msgstr "" -#: template.php:122 +#: template/functions.php:89 #, php-format msgid "%d months ago" msgstr "" -#: template.php:123 +#: template/functions.php:90 msgid "last year" msgstr "" -#: template.php:124 +#: template/functions.php:91 msgid "years ago" msgstr "" +#: template.php:296 +msgid "Caused by:" +msgstr "" + #: vcategories.php:188 vcategories.php:249 #, php-format msgid "Could not find category \"%s\"" diff --git a/l10n/hi/settings.po b/l10n/hi/settings.po index 9098972370..79513b4332 100644 --- a/l10n/hi/settings.po +++ b/l10n/hi/settings.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-06-23 01:59+0200\n" -"PO-Revision-Date: 2013-06-22 10:24+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:55+0000\n" "Last-Translator: I Robot \n" "Language-Team: Hindi (http://www.transifex.com/projects/p/owncloud/language/hi/)\n" "MIME-Version: 1.0\n" @@ -88,35 +88,35 @@ msgstr "" msgid "Couldn't update app." msgstr "" -#: js/apps.js:30 +#: js/apps.js:35 msgid "Update to {appversion}" msgstr "" -#: js/apps.js:36 js/apps.js:76 +#: js/apps.js:41 js/apps.js:81 msgid "Disable" msgstr "" -#: js/apps.js:36 js/apps.js:64 js/apps.js:83 +#: js/apps.js:41 js/apps.js:69 js/apps.js:88 msgid "Enable" msgstr "" -#: js/apps.js:55 +#: js/apps.js:60 msgid "Please wait...." msgstr "" -#: js/apps.js:59 js/apps.js:71 js/apps.js:80 js/apps.js:93 +#: js/apps.js:64 js/apps.js:76 js/apps.js:85 js/apps.js:98 msgid "Error" -msgstr "" +msgstr "त्रुटि" -#: js/apps.js:90 +#: js/apps.js:95 msgid "Updating...." msgstr "" -#: js/apps.js:93 +#: js/apps.js:98 msgid "Error while updating app" msgstr "" -#: js/apps.js:96 +#: js/apps.js:101 msgid "Updated" msgstr "" @@ -165,15 +165,15 @@ msgstr "" msgid "A valid password must be provided" msgstr "" -#: personal.php:35 personal.php:36 +#: personal.php:37 personal.php:38 msgid "__language_name__" msgstr "" -#: templates/admin.php:15 +#: templates/admin.php:17 msgid "Security Warning" msgstr "" -#: templates/admin.php:18 +#: templates/admin.php:20 msgid "" "Your data directory and your files are probably accessible from the " "internet. The .htaccess file that ownCloud provides is not working. We " @@ -182,36 +182,36 @@ msgid "" " webserver document root." msgstr "" -#: templates/admin.php:29 +#: templates/admin.php:31 msgid "Setup Warning" msgstr "" -#: templates/admin.php:32 +#: templates/admin.php:34 msgid "" "Your web server is not yet properly setup to allow files synchronization " "because the WebDAV interface seems to be broken." msgstr "" -#: templates/admin.php:33 +#: templates/admin.php:35 #, php-format msgid "Please double check the installation guides." msgstr "" -#: templates/admin.php:44 +#: templates/admin.php:46 msgid "Module 'fileinfo' missing" msgstr "" -#: templates/admin.php:47 +#: templates/admin.php:49 msgid "" "The PHP module 'fileinfo' is missing. We strongly recommend to enable this " "module to get best results with mime-type detection." msgstr "" -#: templates/admin.php:58 +#: templates/admin.php:60 msgid "Locale not working" msgstr "" -#: templates/admin.php:63 +#: templates/admin.php:65 #, php-format msgid "" "This ownCloud server can't set system locale to %s. This means that there " @@ -219,11 +219,11 @@ msgid "" " to install the required packages on your system to support %s." msgstr "" -#: templates/admin.php:75 +#: templates/admin.php:77 msgid "Internet connection not working" msgstr "" -#: templates/admin.php:78 +#: templates/admin.php:80 msgid "" "This ownCloud server has no working internet connection. This means that " "some of the features like mounting of external storage, notifications about " @@ -233,102 +233,111 @@ msgid "" " of ownCloud." msgstr "" -#: templates/admin.php:92 +#: templates/admin.php:94 msgid "Cron" msgstr "" -#: templates/admin.php:101 +#: templates/admin.php:103 msgid "Execute one task with each page loaded" msgstr "" -#: templates/admin.php:111 +#: templates/admin.php:113 msgid "" "cron.php is registered at a webcron service. Call the cron.php page in the " "owncloud root once a minute over http." msgstr "" -#: templates/admin.php:121 +#: templates/admin.php:123 msgid "" "Use systems cron service. Call the cron.php file in the owncloud folder via " "a system cronjob once a minute." msgstr "" -#: templates/admin.php:128 +#: templates/admin.php:130 msgid "Sharing" msgstr "" -#: templates/admin.php:134 +#: templates/admin.php:136 msgid "Enable Share API" msgstr "" -#: templates/admin.php:135 +#: templates/admin.php:137 msgid "Allow apps to use the Share API" msgstr "" -#: templates/admin.php:142 +#: templates/admin.php:144 msgid "Allow links" msgstr "" -#: templates/admin.php:143 +#: templates/admin.php:145 msgid "Allow users to share items to the public with links" msgstr "" -#: templates/admin.php:150 +#: templates/admin.php:153 +msgid "Allow public uploads" +msgstr "" + +#: templates/admin.php:154 +msgid "" +"Allow users to enable others to upload into their publicly shared folders" +msgstr "" + +#: templates/admin.php:162 msgid "Allow resharing" msgstr "" -#: templates/admin.php:151 +#: templates/admin.php:163 msgid "Allow users to share items shared with them again" msgstr "" -#: templates/admin.php:158 +#: templates/admin.php:170 msgid "Allow users to share with anyone" msgstr "" -#: templates/admin.php:161 +#: templates/admin.php:173 msgid "Allow users to only share with users in their groups" msgstr "" -#: templates/admin.php:168 +#: templates/admin.php:180 msgid "Security" msgstr "" -#: templates/admin.php:181 +#: templates/admin.php:193 msgid "Enforce HTTPS" msgstr "" -#: templates/admin.php:182 +#: templates/admin.php:194 msgid "" "Enforces the clients to connect to ownCloud via an encrypted connection." msgstr "" -#: templates/admin.php:185 +#: templates/admin.php:197 msgid "" "Please connect to this ownCloud instance via HTTPS to enable or disable the " "SSL enforcement." msgstr "" -#: templates/admin.php:195 +#: templates/admin.php:207 msgid "Log" msgstr "" -#: templates/admin.php:196 +#: templates/admin.php:208 msgid "Log level" msgstr "" -#: templates/admin.php:227 +#: templates/admin.php:239 msgid "More" msgstr "" -#: templates/admin.php:228 +#: templates/admin.php:240 msgid "Less" msgstr "" -#: templates/admin.php:235 templates/personal.php:116 +#: templates/admin.php:246 templates/personal.php:116 msgid "Version" msgstr "" -#: templates/admin.php:237 templates/personal.php:119 +#: templates/admin.php:250 templates/personal.php:119 msgid "" "Developed by the ownCloud community, the %s of the available %s" msgstr "" -#: templates/personal.php:40 templates/users.php:23 templates/users.php:86 +#: templates/personal.php:41 templates/users.php:23 templates/users.php:86 msgid "Password" msgstr "पासवर्ड" -#: templates/personal.php:41 +#: templates/personal.php:42 msgid "Your password was changed" msgstr "" -#: templates/personal.php:42 +#: templates/personal.php:43 msgid "Unable to change your password" msgstr "" -#: templates/personal.php:43 +#: templates/personal.php:44 msgid "Current password" msgstr "" -#: templates/personal.php:45 +#: templates/personal.php:46 msgid "New password" msgstr "नया पासवर्ड" -#: templates/personal.php:47 +#: templates/personal.php:48 msgid "Change password" msgstr "" -#: templates/personal.php:59 templates/users.php:85 +#: templates/personal.php:60 templates/users.php:85 msgid "Display Name" msgstr "" -#: templates/personal.php:74 +#: templates/personal.php:75 msgid "Email" msgstr "" -#: templates/personal.php:76 +#: templates/personal.php:77 msgid "Your email address" msgstr "" -#: templates/personal.php:77 +#: templates/personal.php:78 msgid "Fill in an email address to enable password recovery" msgstr "" -#: templates/personal.php:86 templates/personal.php:87 +#: templates/personal.php:87 templates/personal.php:88 msgid "Language" msgstr "" -#: templates/personal.php:99 +#: templates/personal.php:100 msgid "Help translate" msgstr "" -#: templates/personal.php:105 +#: templates/personal.php:106 msgid "WebDAV" msgstr "" -#: templates/personal.php:107 -msgid "Use this address to connect to your ownCloud in your file manager" +#: templates/personal.php:108 +#, php-format +msgid "" +"Use this address to access your Files via WebDAV" msgstr "" #: templates/users.php:21 diff --git a/l10n/hi/user_ldap.po b/l10n/hi/user_ldap.po index 43f46c038a..8c74fd7f62 100644 --- a/l10n/hi/user_ldap.po +++ b/l10n/hi/user_ldap.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-06-23 01:59+0200\n" -"PO-Revision-Date: 2013-06-22 10:24+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: I Robot \n" "Language-Team: Hindi (http://www.transifex.com/projects/p/owncloud/language/hi/)\n" "MIME-Version: 1.0\n" @@ -67,7 +67,7 @@ msgstr "" #: js/settings.js:117 msgid "Error" -msgstr "" +msgstr "त्रुटि" #: js/settings.js:141 msgid "Connection test succeeded" diff --git a/l10n/hr/core.po b/l10n/hr/core.po index f45e4c2c9f..15a2a7644e 100644 --- a/l10n/hr/core.po +++ b/l10n/hr/core.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:12+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:04+0000\n" "Last-Translator: I Robot \n" "Language-Team: Croatian (http://www.transifex.com/projects/p/owncloud/language/hr/)\n" "MIME-Version: 1.0\n" @@ -137,59 +137,59 @@ msgstr "Studeni" msgid "December" msgstr "Prosinac" -#: js/js.js:289 +#: js/js.js:293 msgid "Settings" msgstr "Postavke" -#: js/js.js:721 +#: js/js.js:715 msgid "seconds ago" msgstr "sekundi prije" -#: js/js.js:722 +#: js/js.js:716 msgid "1 minute ago" msgstr "" -#: js/js.js:723 +#: js/js.js:717 msgid "{minutes} minutes ago" msgstr "" -#: js/js.js:724 +#: js/js.js:718 msgid "1 hour ago" msgstr "" -#: js/js.js:725 +#: js/js.js:719 msgid "{hours} hours ago" msgstr "" -#: js/js.js:726 +#: js/js.js:720 msgid "today" msgstr "danas" -#: js/js.js:727 +#: js/js.js:721 msgid "yesterday" msgstr "jučer" -#: js/js.js:728 +#: js/js.js:722 msgid "{days} days ago" msgstr "" -#: js/js.js:729 +#: js/js.js:723 msgid "last month" msgstr "prošli mjesec" -#: js/js.js:730 +#: js/js.js:724 msgid "{months} months ago" msgstr "" -#: js/js.js:731 +#: js/js.js:725 msgid "months ago" msgstr "mjeseci" -#: js/js.js:732 +#: js/js.js:726 msgid "last year" msgstr "prošlu godinu" -#: js/js.js:733 +#: js/js.js:727 msgid "years ago" msgstr "godina" @@ -225,8 +225,8 @@ msgstr "" #: js/oc-vcategories.js:14 js/oc-vcategories.js:80 js/oc-vcategories.js:95 #: js/oc-vcategories.js:110 js/oc-vcategories.js:125 js/oc-vcategories.js:136 #: js/oc-vcategories.js:172 js/oc-vcategories.js:189 js/oc-vcategories.js:195 -#: js/oc-vcategories.js:199 js/share.js:136 js/share.js:143 js/share.js:618 -#: js/share.js:630 +#: js/oc-vcategories.js:199 js/share.js:136 js/share.js:143 js/share.js:625 +#: js/share.js:637 msgid "Error" msgstr "Greška" @@ -246,7 +246,7 @@ msgstr "" msgid "Share" msgstr "Podijeli" -#: js/share.js:125 js/share.js:658 +#: js/share.js:125 js/share.js:665 msgid "Error while sharing" msgstr "Greška prilikom djeljenja" @@ -266,114 +266,114 @@ msgstr "" msgid "Shared with you by {owner}" msgstr "" -#: js/share.js:172 +#: js/share.js:177 msgid "Share with" msgstr "Djeli sa" -#: js/share.js:177 +#: js/share.js:182 msgid "Share with link" msgstr "Djeli preko link-a" -#: js/share.js:180 +#: js/share.js:185 msgid "Password protect" msgstr "Zaštiti lozinkom" -#: js/share.js:182 templates/installation.php:54 templates/login.php:26 +#: js/share.js:187 templates/installation.php:54 templates/login.php:26 msgid "Password" msgstr "Lozinka" -#: js/share.js:186 +#: js/share.js:192 msgid "Allow Public Upload" msgstr "" -#: js/share.js:189 +#: js/share.js:196 msgid "Email link to person" msgstr "" -#: js/share.js:190 +#: js/share.js:197 msgid "Send" msgstr "" -#: js/share.js:195 +#: js/share.js:202 msgid "Set expiration date" msgstr "Postavi datum isteka" -#: js/share.js:196 +#: js/share.js:203 msgid "Expiration date" msgstr "Datum isteka" -#: js/share.js:228 +#: js/share.js:235 msgid "Share via email:" msgstr "Dijeli preko email-a:" -#: js/share.js:230 +#: js/share.js:237 msgid "No people found" msgstr "Osobe nisu pronađene" -#: js/share.js:268 +#: js/share.js:275 msgid "Resharing is not allowed" msgstr "Ponovo dijeljenje nije dopušteno" -#: js/share.js:304 +#: js/share.js:311 msgid "Shared in {item} with {user}" msgstr "" -#: js/share.js:325 +#: js/share.js:332 msgid "Unshare" msgstr "Makni djeljenje" -#: js/share.js:337 +#: js/share.js:344 msgid "can edit" msgstr "može mjenjat" -#: js/share.js:339 +#: js/share.js:346 msgid "access control" msgstr "kontrola pristupa" -#: js/share.js:342 +#: js/share.js:349 msgid "create" msgstr "kreiraj" -#: js/share.js:345 +#: js/share.js:352 msgid "update" msgstr "ažuriraj" -#: js/share.js:348 +#: js/share.js:355 msgid "delete" msgstr "izbriši" -#: js/share.js:351 +#: js/share.js:358 msgid "share" msgstr "djeli" -#: js/share.js:385 js/share.js:605 +#: js/share.js:392 js/share.js:612 msgid "Password protected" msgstr "Zaštita lozinkom" -#: js/share.js:618 +#: js/share.js:625 msgid "Error unsetting expiration date" msgstr "Greška prilikom brisanja datuma isteka" -#: js/share.js:630 +#: js/share.js:637 msgid "Error setting expiration date" msgstr "Greška prilikom postavljanja datuma isteka" -#: js/share.js:645 +#: js/share.js:652 msgid "Sending ..." msgstr "" -#: js/share.js:656 +#: js/share.js:663 msgid "Email sent" msgstr "" -#: js/update.js:14 +#: js/update.js:17 msgid "" "The update was unsuccessful. Please report this issue to the ownCloud " "community." msgstr "" -#: js/update.js:18 +#: js/update.js:21 msgid "The update was successful. Redirecting you to ownCloud now." msgstr "" @@ -465,7 +465,7 @@ msgstr "Pristup zabranjen" msgid "Cloud not found" msgstr "Cloud nije pronađen" -#: templates/altmail.php:2 +#: templates/altmail.php:4 #, php-format msgid "" "Hey there,\n" @@ -476,10 +476,6 @@ msgid "" "Cheers!" msgstr "" -#: templates/altmail.php:7 templates/mail.php:24 -msgid "web services under your control" -msgstr "web usluge pod vašom kontrolom" - #: templates/edit_categories_dialog.php:4 msgid "Edit categories" msgstr "Uredi kategorije" @@ -611,7 +607,7 @@ msgstr "Prijava" msgid "Alternative Logins" msgstr "" -#: templates/mail.php:15 +#: templates/mail.php:16 #, php-format msgid "" "Hey there,

    just letting you know that %s shared »%s« with you.
    \n" "Language-Team: Croatian (http://www.transifex.com/projects/p/owncloud/language/hr/)\n" "MIME-Version: 1.0\n" @@ -27,54 +27,54 @@ msgstr "" msgid "Could not move %s" msgstr "" -#: ajax/upload.php:16 ajax/upload.php:39 +#: ajax/upload.php:16 ajax/upload.php:45 msgid "Unable to set upload directory." msgstr "" -#: ajax/upload.php:23 +#: ajax/upload.php:22 msgid "Invalid Token" msgstr "" -#: ajax/upload.php:55 +#: ajax/upload.php:59 msgid "No file was uploaded. Unknown error" msgstr "" -#: ajax/upload.php:62 +#: ajax/upload.php:66 msgid "There is no error, the file uploaded with success" msgstr "Nema pogreške, datoteka je poslana uspješno." -#: ajax/upload.php:63 +#: ajax/upload.php:67 msgid "" "The uploaded file exceeds the upload_max_filesize directive in php.ini: " msgstr "" -#: ajax/upload.php:65 +#: ajax/upload.php:69 msgid "" "The uploaded file exceeds the MAX_FILE_SIZE directive that was specified in " "the HTML form" msgstr "Poslana datoteka prelazi veličinu prikazanu u MAX_FILE_SIZE direktivi u HTML formi" -#: ajax/upload.php:66 +#: ajax/upload.php:70 msgid "The uploaded file was only partially uploaded" msgstr "Poslana datoteka je parcijalno poslana" -#: ajax/upload.php:67 +#: ajax/upload.php:71 msgid "No file was uploaded" msgstr "Datoteka nije poslana" -#: ajax/upload.php:68 +#: ajax/upload.php:72 msgid "Missing a temporary folder" msgstr "Nedostaje privremeni direktorij" -#: ajax/upload.php:69 +#: ajax/upload.php:73 msgid "Failed to write to disk" msgstr "Neuspjelo pisanje na disk" -#: ajax/upload.php:87 +#: ajax/upload.php:91 msgid "Not enough storage available" msgstr "" -#: ajax/upload.php:119 +#: ajax/upload.php:123 msgid "Invalid directory." msgstr "" @@ -128,43 +128,43 @@ msgstr "Obriši" msgid "Rename" msgstr "Promjeni ime" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:464 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:465 msgid "Pending" msgstr "U tijeku" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "{new_name} already exists" msgstr "" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "replace" msgstr "zamjeni" -#: js/filelist.js:302 +#: js/filelist.js:303 msgid "suggest name" msgstr "predloži ime" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "cancel" msgstr "odustani" -#: js/filelist.js:349 +#: js/filelist.js:350 msgid "replaced {new_name} with {old_name}" msgstr "" -#: js/filelist.js:349 +#: js/filelist.js:350 msgid "undo" msgstr "vrati" -#: js/filelist.js:374 +#: js/filelist.js:375 msgid "perform delete operation" msgstr "" -#: js/filelist.js:456 +#: js/filelist.js:457 msgid "1 file uploading" msgstr "1 datoteka se učitava" -#: js/filelist.js:459 js/filelist.js:517 +#: js/filelist.js:460 js/filelist.js:518 msgid "files uploading" msgstr "datoteke se učitavaju" @@ -212,19 +212,19 @@ msgstr "Veličina" msgid "Modified" msgstr "Zadnja promjena" -#: js/files.js:765 +#: js/files.js:763 msgid "1 folder" msgstr "" -#: js/files.js:767 +#: js/files.js:765 msgid "{count} folders" msgstr "" -#: js/files.js:775 +#: js/files.js:773 msgid "1 file" msgstr "" -#: js/files.js:777 +#: js/files.js:775 msgid "{count} files" msgstr "" @@ -327,19 +327,19 @@ msgstr "Datoteke se skeniraju, molimo pričekajte." msgid "Current scanning" msgstr "Trenutno skeniranje" -#: templates/part.list.php:78 +#: templates/part.list.php:74 msgid "directory" msgstr "" -#: templates/part.list.php:80 +#: templates/part.list.php:76 msgid "directories" msgstr "" -#: templates/part.list.php:89 +#: templates/part.list.php:85 msgid "file" msgstr "datoteka" -#: templates/part.list.php:91 +#: templates/part.list.php:87 msgid "files" msgstr "datoteke" diff --git a/l10n/hr/files_external.po b/l10n/hr/files_external.po index b4828166a4..a7a8e13f53 100644 --- a/l10n/hr/files_external.po +++ b/l10n/hr/files_external.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: I Robot \n" "Language-Team: Croatian (http://www.transifex.com/projects/p/owncloud/language/hr/)\n" "MIME-Version: 1.0\n" @@ -37,20 +37,20 @@ msgstr "" msgid "Error configuring Google Drive storage" msgstr "" -#: lib/config.php:431 +#: lib/config.php:447 msgid "" "Warning: \"smbclient\" is not installed. Mounting of CIFS/SMB shares " "is not possible. Please ask your system administrator to install it." msgstr "" -#: lib/config.php:434 +#: lib/config.php:450 msgid "" "Warning: The FTP support in PHP is not enabled or installed. Mounting" " of FTP shares is not possible. Please ask your system administrator to " "install it." msgstr "" -#: lib/config.php:437 +#: lib/config.php:453 msgid "" "Warning: The Curl support in PHP is not enabled or installed. " "Mounting of ownCloud / WebDAV or GoogleDrive is not possible. Please ask " diff --git a/l10n/hr/files_sharing.po b/l10n/hr/files_sharing.po index 76292dea41..060175dfc0 100644 --- a/l10n/hr/files_sharing.po +++ b/l10n/hr/files_sharing.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:13+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: I Robot \n" "Language-Team: Croatian (http://www.transifex.com/projects/p/owncloud/language/hr/)\n" "MIME-Version: 1.0\n" @@ -39,18 +39,18 @@ msgstr "" msgid "%s shared the file %s with you" msgstr "" -#: templates/public.php:28 templates/public.php:86 +#: templates/public.php:28 templates/public.php:90 msgid "Download" msgstr "Preuzimanje" -#: templates/public.php:44 +#: templates/public.php:45 templates/public.php:48 msgid "Upload" msgstr "Učitaj" -#: templates/public.php:54 +#: templates/public.php:58 msgid "Cancel upload" msgstr "Prekini upload" -#: templates/public.php:83 +#: templates/public.php:87 msgid "No preview available for" msgstr "" diff --git a/l10n/hr/files_trashbin.po b/l10n/hr/files_trashbin.po index 90f0361d5b..8fa36bb794 100644 --- a/l10n/hr/files_trashbin.po +++ b/l10n/hr/files_trashbin.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: I Robot \n" "Language-Team: Croatian (http://www.transifex.com/projects/p/owncloud/language/hr/)\n" "MIME-Version: 1.0\n" diff --git a/l10n/hr/lib.po b/l10n/hr/lib.po index de98c266a5..d7ad1c61c9 100644 --- a/l10n/hr/lib.po +++ b/l10n/hr/lib.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:13+0000\n" +"POT-Creation-Date: 2013-07-24 01:55-0400\n" +"PO-Revision-Date: 2013-07-24 05:55+0000\n" "Last-Translator: I Robot \n" "Language-Team: Croatian (http://www.transifex.com/projects/p/owncloud/language/hr/)\n" "MIME-Version: 1.0\n" @@ -41,27 +41,43 @@ msgstr "Aplikacije" msgid "Admin" msgstr "Administrator" -#: defaults.php:33 -msgid "web services under your control" +#: app.php:844 +#, php-format +msgid "Failed to upgrade \"%s\"." msgstr "" -#: files.php:210 +#: defaults.php:33 +msgid "web services under your control" +msgstr "web usluge pod vašom kontrolom" + +#: files.php:66 files.php:98 +#, php-format +msgid "cannot open \"%s\"" +msgstr "" + +#: files.php:226 msgid "ZIP download is turned off." msgstr "" -#: files.php:211 +#: files.php:227 msgid "Files need to be downloaded one by one." msgstr "" -#: files.php:212 files.php:245 +#: files.php:228 files.php:256 msgid "Back to Files" msgstr "" -#: files.php:242 +#: files.php:253 msgid "Selected files too large to generate zip file." msgstr "" -#: helper.php:236 +#: files.php:254 +msgid "" +"Download the files in smaller chunks, seperately or kindly ask your " +"administrator." +msgstr "" + +#: helper.php:235 msgid "couldn't be determined" msgstr "" @@ -170,77 +186,81 @@ msgstr "" msgid "PostgreSQL username and/or password not valid" msgstr "" -#: setup.php:42 +#: setup.php:28 msgid "Set an admin username." msgstr "" -#: setup.php:45 +#: setup.php:31 msgid "Set an admin password." msgstr "" -#: setup.php:198 +#: setup.php:184 msgid "" "Your web server is not yet properly setup to allow files synchronization " "because the WebDAV interface seems to be broken." msgstr "" -#: setup.php:199 +#: setup.php:185 #, php-format msgid "Please double check the installation guides." msgstr "" -#: template.php:113 +#: template/functions.php:80 msgid "seconds ago" msgstr "sekundi prije" -#: template.php:114 +#: template/functions.php:81 msgid "1 minute ago" msgstr "" -#: template.php:115 +#: template/functions.php:82 #, php-format msgid "%d minutes ago" msgstr "" -#: template.php:116 +#: template/functions.php:83 msgid "1 hour ago" msgstr "" -#: template.php:117 +#: template/functions.php:84 #, php-format msgid "%d hours ago" msgstr "" -#: template.php:118 +#: template/functions.php:85 msgid "today" msgstr "danas" -#: template.php:119 +#: template/functions.php:86 msgid "yesterday" msgstr "jučer" -#: template.php:120 +#: template/functions.php:87 #, php-format msgid "%d days ago" msgstr "" -#: template.php:121 +#: template/functions.php:88 msgid "last month" msgstr "prošli mjesec" -#: template.php:122 +#: template/functions.php:89 #, php-format msgid "%d months ago" msgstr "" -#: template.php:123 +#: template/functions.php:90 msgid "last year" msgstr "prošlu godinu" -#: template.php:124 +#: template/functions.php:91 msgid "years ago" msgstr "godina" +#: template.php:296 +msgid "Caused by:" +msgstr "" + #: vcategories.php:188 vcategories.php:249 #, php-format msgid "Could not find category \"%s\"" diff --git a/l10n/hr/settings.po b/l10n/hr/settings.po index ef922746a0..06158390f2 100644 --- a/l10n/hr/settings.po +++ b/l10n/hr/settings.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:55+0000\n" "Last-Translator: I Robot \n" "Language-Team: Croatian (http://www.transifex.com/projects/p/owncloud/language/hr/)\n" "MIME-Version: 1.0\n" @@ -273,62 +273,71 @@ msgstr "" msgid "Allow users to share items to the public with links" msgstr "" -#: templates/admin.php:152 +#: templates/admin.php:153 +msgid "Allow public uploads" +msgstr "" + +#: templates/admin.php:154 +msgid "" +"Allow users to enable others to upload into their publicly shared folders" +msgstr "" + +#: templates/admin.php:162 msgid "Allow resharing" msgstr "" -#: templates/admin.php:153 +#: templates/admin.php:163 msgid "Allow users to share items shared with them again" msgstr "" -#: templates/admin.php:160 +#: templates/admin.php:170 msgid "Allow users to share with anyone" msgstr "" -#: templates/admin.php:163 +#: templates/admin.php:173 msgid "Allow users to only share with users in their groups" msgstr "" -#: templates/admin.php:170 +#: templates/admin.php:180 msgid "Security" msgstr "" -#: templates/admin.php:183 +#: templates/admin.php:193 msgid "Enforce HTTPS" msgstr "" -#: templates/admin.php:184 +#: templates/admin.php:194 msgid "" "Enforces the clients to connect to ownCloud via an encrypted connection." msgstr "" -#: templates/admin.php:187 +#: templates/admin.php:197 msgid "" "Please connect to this ownCloud instance via HTTPS to enable or disable the " "SSL enforcement." msgstr "" -#: templates/admin.php:197 +#: templates/admin.php:207 msgid "Log" msgstr "dnevnik" -#: templates/admin.php:198 +#: templates/admin.php:208 msgid "Log level" msgstr "" -#: templates/admin.php:229 +#: templates/admin.php:239 msgid "More" msgstr "više" -#: templates/admin.php:230 +#: templates/admin.php:240 msgid "Less" msgstr "" -#: templates/admin.php:236 templates/personal.php:116 +#: templates/admin.php:246 templates/personal.php:116 msgid "Version" msgstr "" -#: templates/admin.php:240 templates/personal.php:119 +#: templates/admin.php:250 templates/personal.php:119 msgid "" "Developed by the ownCloud community, the access your Files via WebDAV" msgstr "" #: templates/users.php:21 diff --git a/l10n/hr/user_ldap.po b/l10n/hr/user_ldap.po index 975d9b9f4d..56543a98cb 100644 --- a/l10n/hr/user_ldap.po +++ b/l10n/hr/user_ldap.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: I Robot \n" "Language-Team: Croatian (http://www.transifex.com/projects/p/owncloud/language/hr/)\n" "MIME-Version: 1.0\n" diff --git a/l10n/hu_HU/core.po b/l10n/hu_HU/core.po index 94736ed98a..ab87d1797c 100644 --- a/l10n/hu_HU/core.po +++ b/l10n/hu_HU/core.po @@ -8,9 +8,9 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:12+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:04+0000\n" +"Last-Translator: Laszlo Tornoci \n" "Language-Team: Hungarian (Hungary) (http://www.transifex.com/projects/p/owncloud/language/hu_HU/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -138,59 +138,59 @@ msgstr "november" msgid "December" msgstr "december" -#: js/js.js:289 +#: js/js.js:293 msgid "Settings" msgstr "Beállítások" -#: js/js.js:721 +#: js/js.js:715 msgid "seconds ago" msgstr "pár másodperce" -#: js/js.js:722 +#: js/js.js:716 msgid "1 minute ago" msgstr "1 perce" -#: js/js.js:723 +#: js/js.js:717 msgid "{minutes} minutes ago" msgstr "{minutes} perce" -#: js/js.js:724 +#: js/js.js:718 msgid "1 hour ago" msgstr "1 órája" -#: js/js.js:725 +#: js/js.js:719 msgid "{hours} hours ago" msgstr "{hours} órája" -#: js/js.js:726 +#: js/js.js:720 msgid "today" msgstr "ma" -#: js/js.js:727 +#: js/js.js:721 msgid "yesterday" msgstr "tegnap" -#: js/js.js:728 +#: js/js.js:722 msgid "{days} days ago" msgstr "{days} napja" -#: js/js.js:729 +#: js/js.js:723 msgid "last month" msgstr "múlt hónapban" -#: js/js.js:730 +#: js/js.js:724 msgid "{months} months ago" msgstr "{months} hónapja" -#: js/js.js:731 +#: js/js.js:725 msgid "months ago" msgstr "több hónapja" -#: js/js.js:732 +#: js/js.js:726 msgid "last year" msgstr "tavaly" -#: js/js.js:733 +#: js/js.js:727 msgid "years ago" msgstr "több éve" @@ -226,8 +226,8 @@ msgstr "Az objektum típusa nincs megadva." #: js/oc-vcategories.js:14 js/oc-vcategories.js:80 js/oc-vcategories.js:95 #: js/oc-vcategories.js:110 js/oc-vcategories.js:125 js/oc-vcategories.js:136 #: js/oc-vcategories.js:172 js/oc-vcategories.js:189 js/oc-vcategories.js:195 -#: js/oc-vcategories.js:199 js/share.js:136 js/share.js:143 js/share.js:618 -#: js/share.js:630 +#: js/oc-vcategories.js:199 js/share.js:136 js/share.js:143 js/share.js:625 +#: js/share.js:637 msgid "Error" msgstr "Hiba" @@ -247,7 +247,7 @@ msgstr "Megosztott" msgid "Share" msgstr "Megosztás" -#: js/share.js:125 js/share.js:658 +#: js/share.js:125 js/share.js:665 msgid "Error while sharing" msgstr "Nem sikerült létrehozni a megosztást" @@ -267,114 +267,114 @@ msgstr "Megosztotta Önnel és a(z) {group} csoporttal: {owner}" msgid "Shared with you by {owner}" msgstr "Megosztotta Önnel: {owner}" -#: js/share.js:172 +#: js/share.js:177 msgid "Share with" msgstr "Kivel osztom meg" -#: js/share.js:177 +#: js/share.js:182 msgid "Share with link" msgstr "Link megadásával osztom meg" -#: js/share.js:180 +#: js/share.js:185 msgid "Password protect" msgstr "Jelszóval is védem" -#: js/share.js:182 templates/installation.php:54 templates/login.php:26 +#: js/share.js:187 templates/installation.php:54 templates/login.php:26 msgid "Password" msgstr "Jelszó" -#: js/share.js:186 +#: js/share.js:192 msgid "Allow Public Upload" -msgstr "" +msgstr "Feltöltést is engedélyezek" -#: js/share.js:189 +#: js/share.js:196 msgid "Email link to person" msgstr "Email címre küldjük el" -#: js/share.js:190 +#: js/share.js:197 msgid "Send" msgstr "Küldjük el" -#: js/share.js:195 +#: js/share.js:202 msgid "Set expiration date" msgstr "Legyen lejárati idő" -#: js/share.js:196 +#: js/share.js:203 msgid "Expiration date" msgstr "A lejárati idő" -#: js/share.js:228 +#: js/share.js:235 msgid "Share via email:" msgstr "Megosztás emaillel:" -#: js/share.js:230 +#: js/share.js:237 msgid "No people found" msgstr "Nincs találat" -#: js/share.js:268 +#: js/share.js:275 msgid "Resharing is not allowed" msgstr "Ezt az állományt csak a tulajdonosa oszthatja meg másokkal" -#: js/share.js:304 +#: js/share.js:311 msgid "Shared in {item} with {user}" msgstr "Megosztva {item}-ben {user}-rel" -#: js/share.js:325 +#: js/share.js:332 msgid "Unshare" msgstr "A megosztás visszavonása" -#: js/share.js:337 +#: js/share.js:344 msgid "can edit" msgstr "módosíthat" -#: js/share.js:339 +#: js/share.js:346 msgid "access control" msgstr "jogosultság" -#: js/share.js:342 +#: js/share.js:349 msgid "create" msgstr "létrehoz" -#: js/share.js:345 +#: js/share.js:352 msgid "update" msgstr "szerkeszt" -#: js/share.js:348 +#: js/share.js:355 msgid "delete" msgstr "töröl" -#: js/share.js:351 +#: js/share.js:358 msgid "share" msgstr "megoszt" -#: js/share.js:385 js/share.js:605 +#: js/share.js:392 js/share.js:612 msgid "Password protected" msgstr "Jelszóval van védve" -#: js/share.js:618 +#: js/share.js:625 msgid "Error unsetting expiration date" msgstr "Nem sikerült a lejárati időt törölni" -#: js/share.js:630 +#: js/share.js:637 msgid "Error setting expiration date" msgstr "Nem sikerült a lejárati időt beállítani" -#: js/share.js:645 +#: js/share.js:652 msgid "Sending ..." msgstr "Küldés ..." -#: js/share.js:656 +#: js/share.js:663 msgid "Email sent" msgstr "Az emailt elküldtük" -#: js/update.js:14 +#: js/update.js:17 msgid "" "The update was unsuccessful. Please report this issue to the ownCloud " "community." msgstr "A frissítés nem sikerült. Kérem értesítse erről a problémáról az ownCloud közösséget." -#: js/update.js:18 +#: js/update.js:21 msgid "The update was successful. Redirecting you to ownCloud now." msgstr "A frissítés sikeres volt. Visszairányítjuk az ownCloud szolgáltatáshoz." @@ -412,7 +412,7 @@ msgid "" "will be no way to get your data back after your password is reset. If you " "are not sure what to do, please contact your administrator before you " "continue. Do you really want to continue?" -msgstr "" +msgstr "Az Ön állományai titkosítva vannak. Ha nem engedélyezte korábban az adatok visszanyeréséhez szükséges kulcs használatát, akkor a jelszó megváltoztatását követően nem fog hozzáférni az adataihoz. Ha nem biztos abban, hogy mit kellene tennie, akkor kérdezze meg a rendszergazdát, mielőtt továbbmenne. Biztos, hogy folytatni kívánja?" #: lostpassword/templates/lostpassword.php:24 msgid "Yes, I really want to reset my password now" @@ -466,7 +466,7 @@ msgstr "A hozzáférés nem engedélyezett" msgid "Cloud not found" msgstr "A felhő nem található" -#: templates/altmail.php:2 +#: templates/altmail.php:4 #, php-format msgid "" "Hey there,\n" @@ -477,10 +477,6 @@ msgid "" "Cheers!" msgstr "Üdv!\n\nÚj hír: %s megosztotta Önnel ezt: %s.\nItt nézhető meg: %s\n\nMinden jót!" -#: templates/altmail.php:7 templates/mail.php:24 -msgid "web services under your control" -msgstr "webszolgáltatások saját kézben" - #: templates/edit_categories_dialog.php:4 msgid "Edit categories" msgstr "Kategóriák szerkesztése" @@ -612,7 +608,7 @@ msgstr "Bejelentkezés" msgid "Alternative Logins" msgstr "Alternatív bejelentkezés" -#: templates/mail.php:15 +#: templates/mail.php:16 #, php-format msgid "" "Hey there,

    just letting you know that %s shared »%s« with you.
    \n" "Language-Team: Hungarian (Hungary) (http://www.transifex.com/projects/p/owncloud/language/hu_HU/)\n" "MIME-Version: 1.0\n" @@ -28,54 +28,54 @@ msgstr "%s áthelyezése nem sikerült - már létezik másik fájl ezzel a név msgid "Could not move %s" msgstr "Nem sikerült %s áthelyezése" -#: ajax/upload.php:16 ajax/upload.php:39 +#: ajax/upload.php:16 ajax/upload.php:45 msgid "Unable to set upload directory." -msgstr "" +msgstr "Nem található a mappa, ahova feltölteni szeretne." -#: ajax/upload.php:23 +#: ajax/upload.php:22 msgid "Invalid Token" -msgstr "" +msgstr "Hibás mappacím" -#: ajax/upload.php:55 +#: ajax/upload.php:59 msgid "No file was uploaded. Unknown error" msgstr "Nem történt feltöltés. Ismeretlen hiba" -#: ajax/upload.php:62 +#: ajax/upload.php:66 msgid "There is no error, the file uploaded with success" msgstr "A fájlt sikerült feltölteni" -#: ajax/upload.php:63 +#: ajax/upload.php:67 msgid "" "The uploaded file exceeds the upload_max_filesize directive in php.ini: " msgstr "A feltöltött fájl mérete meghaladja a php.ini állományban megadott upload_max_filesize paraméter értékét." -#: ajax/upload.php:65 +#: ajax/upload.php:69 msgid "" "The uploaded file exceeds the MAX_FILE_SIZE directive that was specified in " "the HTML form" msgstr "A feltöltött fájl mérete meghaladja a MAX_FILE_SIZE paramétert, ami a HTML formban került megadásra." -#: ajax/upload.php:66 +#: ajax/upload.php:70 msgid "The uploaded file was only partially uploaded" msgstr "Az eredeti fájlt csak részben sikerült feltölteni." -#: ajax/upload.php:67 +#: ajax/upload.php:71 msgid "No file was uploaded" msgstr "Nem töltődött fel állomány" -#: ajax/upload.php:68 +#: ajax/upload.php:72 msgid "Missing a temporary folder" msgstr "Hiányzik egy ideiglenes mappa" -#: ajax/upload.php:69 +#: ajax/upload.php:73 msgid "Failed to write to disk" msgstr "Nem sikerült a lemezre történő írás" -#: ajax/upload.php:87 +#: ajax/upload.php:91 msgid "Not enough storage available" msgstr "Nincs elég szabad hely." -#: ajax/upload.php:119 +#: ajax/upload.php:123 msgid "Invalid directory." msgstr "Érvénytelen mappa." @@ -129,43 +129,43 @@ msgstr "Törlés" msgid "Rename" msgstr "Átnevezés" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:464 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:465 msgid "Pending" msgstr "Folyamatban" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "{new_name} already exists" msgstr "{new_name} már létezik" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "replace" msgstr "írjuk fölül" -#: js/filelist.js:302 +#: js/filelist.js:303 msgid "suggest name" msgstr "legyen más neve" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "cancel" msgstr "mégse" -#: js/filelist.js:349 +#: js/filelist.js:350 msgid "replaced {new_name} with {old_name}" msgstr "{new_name} fájlt kicseréltük ezzel: {old_name}" -#: js/filelist.js:349 +#: js/filelist.js:350 msgid "undo" msgstr "visszavonás" -#: js/filelist.js:374 +#: js/filelist.js:375 msgid "perform delete operation" msgstr "a törlés végrehajtása" -#: js/filelist.js:456 +#: js/filelist.js:457 msgid "1 file uploading" msgstr "1 fájl töltődik föl" -#: js/filelist.js:459 js/filelist.js:517 +#: js/filelist.js:460 js/filelist.js:518 msgid "files uploading" msgstr "fájl töltődik föl" @@ -213,26 +213,26 @@ msgstr "Méret" msgid "Modified" msgstr "Módosítva" -#: js/files.js:765 +#: js/files.js:763 msgid "1 folder" msgstr "1 mappa" -#: js/files.js:767 +#: js/files.js:765 msgid "{count} folders" msgstr "{count} mappa" -#: js/files.js:775 +#: js/files.js:773 msgid "1 file" msgstr "1 fájl" -#: js/files.js:777 +#: js/files.js:775 msgid "{count} files" msgstr "{count} fájl" #: lib/app.php:73 #, php-format msgid "%s could not be renamed" -msgstr "" +msgstr "%s átnevezése nem sikerült" #: lib/helper.php:11 templates/index.php:18 msgid "Upload" @@ -328,19 +328,19 @@ msgstr "A fájllista ellenőrzése zajlik, kis türelmet!" msgid "Current scanning" msgstr "Ellenőrzés alatt" -#: templates/part.list.php:78 +#: templates/part.list.php:74 msgid "directory" -msgstr "" +msgstr "mappa" -#: templates/part.list.php:80 +#: templates/part.list.php:76 msgid "directories" -msgstr "" +msgstr "mappa" -#: templates/part.list.php:89 +#: templates/part.list.php:85 msgid "file" msgstr "fájl" -#: templates/part.list.php:91 +#: templates/part.list.php:87 msgid "files" msgstr "fájlok" diff --git a/l10n/hu_HU/files_external.po b/l10n/hu_HU/files_external.po index f2fcf3145e..9a1567b54e 100644 --- a/l10n/hu_HU/files_external.po +++ b/l10n/hu_HU/files_external.po @@ -8,8 +8,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: Laszlo Tornoci \n" "Language-Team: Hungarian (Hungary) (http://www.transifex.com/projects/p/owncloud/language/hu_HU/)\n" "MIME-Version: 1.0\n" @@ -38,20 +38,20 @@ msgstr "Adjon meg egy érvényes Dropbox app key-t és secretet!" msgid "Error configuring Google Drive storage" msgstr "A Google Drive tárolót nem sikerült beállítani" -#: lib/config.php:431 +#: lib/config.php:447 msgid "" "Warning: \"smbclient\" is not installed. Mounting of CIFS/SMB shares " "is not possible. Please ask your system administrator to install it." msgstr "Figyelem: az \"smbclient\" nincs telepítve a kiszolgálón. Emiatt nem lehet CIFS/SMB megosztásokat fölcsatolni. Kérje meg a rendszergazdát, hogy telepítse a szükséges programot." -#: lib/config.php:434 +#: lib/config.php:450 msgid "" "Warning: The FTP support in PHP is not enabled or installed. Mounting" " of FTP shares is not possible. Please ask your system administrator to " "install it." msgstr "Figyelem: a PHP FTP támogatása vagy nincs telepítve, vagy nincs engedélyezve a kiszolgálón. Emiatt nem lehetséges FTP-tárolókat fölcsatolni. Kérje meg a rendszergazdát, hogy telepítse a szükséges programot." -#: lib/config.php:437 +#: lib/config.php:453 msgid "" "Warning: The Curl support in PHP is not enabled or installed. " "Mounting of ownCloud / WebDAV or GoogleDrive is not possible. Please ask " diff --git a/l10n/hu_HU/files_sharing.po b/l10n/hu_HU/files_sharing.po index 92bcf28631..3c44de68d3 100644 --- a/l10n/hu_HU/files_sharing.po +++ b/l10n/hu_HU/files_sharing.po @@ -3,13 +3,14 @@ # This file is distributed under the same license as the PACKAGE package. # # Translators: +# Laszlo Tornoci , 2013 msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:13+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" +"Last-Translator: Laszlo Tornoci \n" "Language-Team: Hungarian (Hungary) (http://www.transifex.com/projects/p/owncloud/language/hu_HU/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -19,7 +20,7 @@ msgstr "" #: templates/authenticate.php:4 msgid "The password is wrong. Try again." -msgstr "" +msgstr "A megadott jelszó nem megfelelő. Próbálja újra!" #: templates/authenticate.php:7 msgid "Password" @@ -39,18 +40,18 @@ msgstr "%s megosztotta Önnel ezt a mappát: %s" msgid "%s shared the file %s with you" msgstr "%s megosztotta Önnel ezt az állományt: %s" -#: templates/public.php:28 templates/public.php:86 +#: templates/public.php:28 templates/public.php:90 msgid "Download" msgstr "Letöltés" -#: templates/public.php:44 +#: templates/public.php:45 templates/public.php:48 msgid "Upload" msgstr "Feltöltés" -#: templates/public.php:54 +#: templates/public.php:58 msgid "Cancel upload" msgstr "A feltöltés megszakítása" -#: templates/public.php:83 +#: templates/public.php:87 msgid "No preview available for" msgstr "Nem áll rendelkezésre előnézet ehhez: " diff --git a/l10n/hu_HU/files_trashbin.po b/l10n/hu_HU/files_trashbin.po index e8ed7eae50..39d58e18fb 100644 --- a/l10n/hu_HU/files_trashbin.po +++ b/l10n/hu_HU/files_trashbin.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: I Robot \n" "Language-Team: Hungarian (Hungary) (http://www.transifex.com/projects/p/owncloud/language/hu_HU/)\n" "MIME-Version: 1.0\n" diff --git a/l10n/hu_HU/lib.po b/l10n/hu_HU/lib.po index 3af4a667f3..e008f3406a 100644 --- a/l10n/hu_HU/lib.po +++ b/l10n/hu_HU/lib.po @@ -8,8 +8,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:13+0000\n" +"POT-Creation-Date: 2013-07-24 01:55-0400\n" +"PO-Revision-Date: 2013-07-24 05:55+0000\n" "Last-Translator: I Robot \n" "Language-Team: Hungarian (Hungary) (http://www.transifex.com/projects/p/owncloud/language/hu_HU/)\n" "MIME-Version: 1.0\n" @@ -42,27 +42,43 @@ msgstr "Alkalmazások" msgid "Admin" msgstr "Adminsztráció" -#: defaults.php:33 -msgid "web services under your control" +#: app.php:844 +#, php-format +msgid "Failed to upgrade \"%s\"." msgstr "" -#: files.php:210 +#: defaults.php:33 +msgid "web services under your control" +msgstr "webszolgáltatások saját kézben" + +#: files.php:66 files.php:98 +#, php-format +msgid "cannot open \"%s\"" +msgstr "" + +#: files.php:226 msgid "ZIP download is turned off." msgstr "A ZIP-letöltés nincs engedélyezve." -#: files.php:211 +#: files.php:227 msgid "Files need to be downloaded one by one." msgstr "A fájlokat egyenként kell letölteni." -#: files.php:212 files.php:245 +#: files.php:228 files.php:256 msgid "Back to Files" msgstr "Vissza a Fájlokhoz" -#: files.php:242 +#: files.php:253 msgid "Selected files too large to generate zip file." msgstr "A kiválasztott fájlok túl nagyok a zip tömörítéshez." -#: helper.php:236 +#: files.php:254 +msgid "" +"Download the files in smaller chunks, seperately or kindly ask your " +"administrator." +msgstr "" + +#: helper.php:235 msgid "couldn't be determined" msgstr "nem határozható meg" @@ -171,77 +187,81 @@ msgstr "A hibát okozó parancs ez volt: \"%s\", login név: %s, jelszó: %s" msgid "PostgreSQL username and/or password not valid" msgstr "A PostgreSQL felhasználói név és/vagy jelszó érvénytelen" -#: setup.php:42 +#: setup.php:28 msgid "Set an admin username." msgstr "Állítson be egy felhasználói nevet az adminisztrációhoz." -#: setup.php:45 +#: setup.php:31 msgid "Set an admin password." msgstr "Állítson be egy jelszót az adminisztrációhoz." -#: setup.php:198 +#: setup.php:184 msgid "" "Your web server is not yet properly setup to allow files synchronization " "because the WebDAV interface seems to be broken." msgstr "Az Ön webkiszolgálója nincs megfelelően beállítva az állományok szinkronizálásához, mert a WebDAV-elérés úgy tűnik, nem működik." -#: setup.php:199 +#: setup.php:185 #, php-format msgid "Please double check the installation guides." msgstr "Kérjük tüzetesen tanulmányozza át a telepítési útmutatót." -#: template.php:113 +#: template/functions.php:80 msgid "seconds ago" msgstr "pár másodperce" -#: template.php:114 +#: template/functions.php:81 msgid "1 minute ago" msgstr "1 perce" -#: template.php:115 +#: template/functions.php:82 #, php-format msgid "%d minutes ago" msgstr "%d perce" -#: template.php:116 +#: template/functions.php:83 msgid "1 hour ago" msgstr "1 órája" -#: template.php:117 +#: template/functions.php:84 #, php-format msgid "%d hours ago" msgstr "%d órája" -#: template.php:118 +#: template/functions.php:85 msgid "today" msgstr "ma" -#: template.php:119 +#: template/functions.php:86 msgid "yesterday" msgstr "tegnap" -#: template.php:120 +#: template/functions.php:87 #, php-format msgid "%d days ago" msgstr "%d napja" -#: template.php:121 +#: template/functions.php:88 msgid "last month" msgstr "múlt hónapban" -#: template.php:122 +#: template/functions.php:89 #, php-format msgid "%d months ago" msgstr "%d hónapja" -#: template.php:123 +#: template/functions.php:90 msgid "last year" msgstr "tavaly" -#: template.php:124 +#: template/functions.php:91 msgid "years ago" msgstr "több éve" +#: template.php:296 +msgid "Caused by:" +msgstr "" + #: vcategories.php:188 vcategories.php:249 #, php-format msgid "Could not find category \"%s\"" diff --git a/l10n/hu_HU/settings.po b/l10n/hu_HU/settings.po index 42cec70d3b..532945081d 100644 --- a/l10n/hu_HU/settings.po +++ b/l10n/hu_HU/settings.po @@ -9,8 +9,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:55+0000\n" "Last-Translator: I Robot \n" "Language-Team: Hungarian (Hungary) (http://www.transifex.com/projects/p/owncloud/language/hu_HU/)\n" "MIME-Version: 1.0\n" @@ -275,62 +275,71 @@ msgstr "Linkek engedélyezése" msgid "Allow users to share items to the public with links" msgstr "Lehetővé teszi, hogy a felhasználók linkek segítségével külsősökkel is megoszthassák az adataikat" -#: templates/admin.php:152 +#: templates/admin.php:153 +msgid "Allow public uploads" +msgstr "" + +#: templates/admin.php:154 +msgid "" +"Allow users to enable others to upload into their publicly shared folders" +msgstr "" + +#: templates/admin.php:162 msgid "Allow resharing" msgstr "A továbbosztás engedélyezése" -#: templates/admin.php:153 +#: templates/admin.php:163 msgid "Allow users to share items shared with them again" msgstr "Lehetővé teszi, hogy a felhasználók a velük megosztott állományokat megosszák egy további, harmadik féllel" -#: templates/admin.php:160 +#: templates/admin.php:170 msgid "Allow users to share with anyone" msgstr "A felhasználók bárkivel megoszthatják állományaikat" -#: templates/admin.php:163 +#: templates/admin.php:173 msgid "Allow users to only share with users in their groups" msgstr "A felhasználók csak olyanokkal oszthatják meg állományaikat, akikkel közös csoportban vannak" -#: templates/admin.php:170 +#: templates/admin.php:180 msgid "Security" msgstr "Biztonság" -#: templates/admin.php:183 +#: templates/admin.php:193 msgid "Enforce HTTPS" msgstr "Kötelező HTTPS" -#: templates/admin.php:184 +#: templates/admin.php:194 msgid "" "Enforces the clients to connect to ownCloud via an encrypted connection." msgstr "Kötelezővé teszi, hogy a böngészőprogramok titkosított csatornán kapcsolódjanak az ownCloud szolgáltatáshoz." -#: templates/admin.php:187 +#: templates/admin.php:197 msgid "" "Please connect to this ownCloud instance via HTTPS to enable or disable the " "SSL enforcement." msgstr "Kérjük, hogy HTTPS protokollt használjon, ha be vagy ki akarja kapcsolni a kötelező SSL beállítást." -#: templates/admin.php:197 +#: templates/admin.php:207 msgid "Log" msgstr "Naplózás" -#: templates/admin.php:198 +#: templates/admin.php:208 msgid "Log level" msgstr "Naplózási szint" -#: templates/admin.php:229 +#: templates/admin.php:239 msgid "More" msgstr "Több" -#: templates/admin.php:230 +#: templates/admin.php:240 msgid "Less" msgstr "Kevesebb" -#: templates/admin.php:236 templates/personal.php:116 +#: templates/admin.php:246 templates/personal.php:116 msgid "Version" msgstr "Verzió" -#: templates/admin.php:240 templates/personal.php:119 +#: templates/admin.php:250 templates/personal.php:119 msgid "" "Developed by the ownCloud community, the access your Files via WebDAV" +msgstr "Ezt a címet használja, ha WebDAV-on keresztül szeretné elérni az állományait" #: templates/users.php:21 msgid "Login Name" diff --git a/l10n/hu_HU/user_ldap.po b/l10n/hu_HU/user_ldap.po index 4c3d5edef8..d7f9009203 100644 --- a/l10n/hu_HU/user_ldap.po +++ b/l10n/hu_HU/user_ldap.po @@ -8,8 +8,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: Laszlo Tornoci \n" "Language-Team: Hungarian (Hungary) (http://www.transifex.com/projects/p/owncloud/language/hu_HU/)\n" "MIME-Version: 1.0\n" diff --git a/l10n/hy/core.po b/l10n/hy/core.po index 9bee1877f9..2238a3574f 100644 --- a/l10n/hy/core.po +++ b/l10n/hy/core.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-06-29 02:03+0200\n" -"PO-Revision-Date: 2013-06-29 00:03+0000\n" +"POT-Creation-Date: 2013-07-06 02:02+0200\n" +"PO-Revision-Date: 2013-07-06 00:02+0000\n" "Last-Translator: I Robot \n" "Language-Team: Armenian (http://www.transifex.com/projects/p/owncloud/language/hy/)\n" "MIME-Version: 1.0\n" @@ -225,8 +225,8 @@ msgstr "" #: js/oc-vcategories.js:14 js/oc-vcategories.js:80 js/oc-vcategories.js:95 #: js/oc-vcategories.js:110 js/oc-vcategories.js:125 js/oc-vcategories.js:136 #: js/oc-vcategories.js:172 js/oc-vcategories.js:189 js/oc-vcategories.js:195 -#: js/oc-vcategories.js:199 js/share.js:136 js/share.js:143 js/share.js:618 -#: js/share.js:630 +#: js/oc-vcategories.js:199 js/share.js:136 js/share.js:143 js/share.js:620 +#: js/share.js:632 msgid "Error" msgstr "" @@ -246,7 +246,7 @@ msgstr "" msgid "Share" msgstr "" -#: js/share.js:125 js/share.js:658 +#: js/share.js:125 js/share.js:660 msgid "Error while sharing" msgstr "" @@ -282,87 +282,87 @@ msgstr "" msgid "Password" msgstr "" -#: js/share.js:186 +#: js/share.js:187 msgid "Allow Public Upload" msgstr "" -#: js/share.js:189 +#: js/share.js:191 msgid "Email link to person" msgstr "" -#: js/share.js:190 +#: js/share.js:192 msgid "Send" msgstr "" -#: js/share.js:195 +#: js/share.js:197 msgid "Set expiration date" msgstr "" -#: js/share.js:196 +#: js/share.js:198 msgid "Expiration date" msgstr "" -#: js/share.js:228 +#: js/share.js:230 msgid "Share via email:" msgstr "" -#: js/share.js:230 +#: js/share.js:232 msgid "No people found" msgstr "" -#: js/share.js:268 +#: js/share.js:270 msgid "Resharing is not allowed" msgstr "" -#: js/share.js:304 +#: js/share.js:306 msgid "Shared in {item} with {user}" msgstr "" -#: js/share.js:325 +#: js/share.js:327 msgid "Unshare" msgstr "" -#: js/share.js:337 +#: js/share.js:339 msgid "can edit" msgstr "" -#: js/share.js:339 +#: js/share.js:341 msgid "access control" msgstr "" -#: js/share.js:342 +#: js/share.js:344 msgid "create" msgstr "" -#: js/share.js:345 +#: js/share.js:347 msgid "update" msgstr "" -#: js/share.js:348 +#: js/share.js:350 msgid "delete" msgstr "" -#: js/share.js:351 +#: js/share.js:353 msgid "share" msgstr "" -#: js/share.js:385 js/share.js:605 +#: js/share.js:387 js/share.js:607 msgid "Password protected" msgstr "" -#: js/share.js:618 +#: js/share.js:620 msgid "Error unsetting expiration date" msgstr "" -#: js/share.js:630 +#: js/share.js:632 msgid "Error setting expiration date" msgstr "" -#: js/share.js:645 +#: js/share.js:647 msgid "Sending ..." msgstr "" -#: js/share.js:656 +#: js/share.js:658 msgid "Email sent" msgstr "" @@ -465,7 +465,7 @@ msgstr "" msgid "Cloud not found" msgstr "" -#: templates/altmail.php:2 +#: templates/altmail.php:4 #, php-format msgid "" "Hey there,\n" @@ -476,10 +476,6 @@ msgid "" "Cheers!" msgstr "" -#: templates/altmail.php:7 templates/mail.php:24 -msgid "web services under your control" -msgstr "" - #: templates/edit_categories_dialog.php:4 msgid "Edit categories" msgstr "" @@ -572,12 +568,12 @@ msgstr "" msgid "Finish setup" msgstr "" -#: templates/layout.user.php:40 +#: templates/layout.user.php:43 #, php-format msgid "%s is available. Get more information on how to update." msgstr "" -#: templates/layout.user.php:67 +#: templates/layout.user.php:68 msgid "Log out" msgstr "" @@ -611,7 +607,7 @@ msgstr "" msgid "Alternative Logins" msgstr "" -#: templates/mail.php:15 +#: templates/mail.php:16 #, php-format msgid "" "Hey there,

    just letting you know that %s shared »%s« with you.
    \n" "Language-Team: Armenian (http://www.transifex.com/projects/p/owncloud/language/hy/)\n" "MIME-Version: 1.0\n" @@ -27,54 +27,54 @@ msgstr "" msgid "Could not move %s" msgstr "" -#: ajax/upload.php:16 ajax/upload.php:39 +#: ajax/upload.php:16 ajax/upload.php:45 msgid "Unable to set upload directory." msgstr "" -#: ajax/upload.php:23 +#: ajax/upload.php:22 msgid "Invalid Token" msgstr "" -#: ajax/upload.php:55 +#: ajax/upload.php:59 msgid "No file was uploaded. Unknown error" msgstr "" -#: ajax/upload.php:62 +#: ajax/upload.php:66 msgid "There is no error, the file uploaded with success" msgstr "" -#: ajax/upload.php:63 +#: ajax/upload.php:67 msgid "" "The uploaded file exceeds the upload_max_filesize directive in php.ini: " msgstr "" -#: ajax/upload.php:65 +#: ajax/upload.php:69 msgid "" "The uploaded file exceeds the MAX_FILE_SIZE directive that was specified in " "the HTML form" msgstr "" -#: ajax/upload.php:66 +#: ajax/upload.php:70 msgid "The uploaded file was only partially uploaded" msgstr "" -#: ajax/upload.php:67 +#: ajax/upload.php:71 msgid "No file was uploaded" msgstr "" -#: ajax/upload.php:68 +#: ajax/upload.php:72 msgid "Missing a temporary folder" msgstr "" -#: ajax/upload.php:69 +#: ajax/upload.php:73 msgid "Failed to write to disk" msgstr "" -#: ajax/upload.php:87 +#: ajax/upload.php:91 msgid "Not enough storage available" msgstr "" -#: ajax/upload.php:119 +#: ajax/upload.php:123 msgid "Invalid directory." msgstr "" @@ -128,43 +128,43 @@ msgstr "Ջնջել" msgid "Rename" msgstr "" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:464 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:465 msgid "Pending" msgstr "" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "{new_name} already exists" msgstr "" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "replace" msgstr "" -#: js/filelist.js:302 +#: js/filelist.js:303 msgid "suggest name" msgstr "" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "cancel" msgstr "" -#: js/filelist.js:349 +#: js/filelist.js:350 msgid "replaced {new_name} with {old_name}" msgstr "" -#: js/filelist.js:349 +#: js/filelist.js:350 msgid "undo" msgstr "" -#: js/filelist.js:374 +#: js/filelist.js:375 msgid "perform delete operation" msgstr "" -#: js/filelist.js:456 +#: js/filelist.js:457 msgid "1 file uploading" msgstr "" -#: js/filelist.js:459 js/filelist.js:517 +#: js/filelist.js:460 js/filelist.js:518 msgid "files uploading" msgstr "" @@ -212,19 +212,19 @@ msgstr "" msgid "Modified" msgstr "" -#: js/files.js:765 +#: js/files.js:763 msgid "1 folder" msgstr "" -#: js/files.js:767 +#: js/files.js:765 msgid "{count} folders" msgstr "" -#: js/files.js:775 +#: js/files.js:773 msgid "1 file" msgstr "" -#: js/files.js:777 +#: js/files.js:775 msgid "{count} files" msgstr "" @@ -327,19 +327,19 @@ msgstr "" msgid "Current scanning" msgstr "" -#: templates/part.list.php:78 +#: templates/part.list.php:74 msgid "directory" msgstr "" -#: templates/part.list.php:80 +#: templates/part.list.php:76 msgid "directories" msgstr "" -#: templates/part.list.php:89 +#: templates/part.list.php:85 msgid "file" msgstr "" -#: templates/part.list.php:91 +#: templates/part.list.php:87 msgid "files" msgstr "" diff --git a/l10n/hy/files_external.po b/l10n/hy/files_external.po index 1ddc27eaf8..ac97dda544 100644 --- a/l10n/hy/files_external.po +++ b/l10n/hy/files_external.po @@ -7,7 +7,7 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" "PO-Revision-Date: 2013-04-26 08:01+0000\n" "Last-Translator: FULL NAME \n" "Language-Team: Armenian (http://www.transifex.com/projects/p/owncloud/language/hy/)\n" @@ -37,20 +37,20 @@ msgstr "" msgid "Error configuring Google Drive storage" msgstr "" -#: lib/config.php:431 +#: lib/config.php:447 msgid "" "Warning: \"smbclient\" is not installed. Mounting of CIFS/SMB shares " "is not possible. Please ask your system administrator to install it." msgstr "" -#: lib/config.php:434 +#: lib/config.php:450 msgid "" "Warning: The FTP support in PHP is not enabled or installed. Mounting" " of FTP shares is not possible. Please ask your system administrator to " "install it." msgstr "" -#: lib/config.php:437 +#: lib/config.php:453 msgid "" "Warning: The Curl support in PHP is not enabled or installed. " "Mounting of ownCloud / WebDAV or GoogleDrive is not possible. Please ask " diff --git a/l10n/hy/files_sharing.po b/l10n/hy/files_sharing.po index bf114d281d..b0ff019c8d 100644 --- a/l10n/hy/files_sharing.po +++ b/l10n/hy/files_sharing.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:13+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: I Robot \n" "Language-Team: Armenian (http://www.transifex.com/projects/p/owncloud/language/hy/)\n" "MIME-Version: 1.0\n" @@ -39,18 +39,18 @@ msgstr "" msgid "%s shared the file %s with you" msgstr "" -#: templates/public.php:28 templates/public.php:86 +#: templates/public.php:28 templates/public.php:90 msgid "Download" msgstr "Բեռնել" -#: templates/public.php:44 +#: templates/public.php:45 templates/public.php:48 msgid "Upload" msgstr "" -#: templates/public.php:54 +#: templates/public.php:58 msgid "Cancel upload" msgstr "" -#: templates/public.php:83 +#: templates/public.php:87 msgid "No preview available for" msgstr "" diff --git a/l10n/hy/files_trashbin.po b/l10n/hy/files_trashbin.po index c47782b0ee..d25cfb36f9 100644 --- a/l10n/hy/files_trashbin.po +++ b/l10n/hy/files_trashbin.po @@ -7,7 +7,7 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" "PO-Revision-Date: 2013-04-26 08:01+0000\n" "Last-Translator: FULL NAME \n" "Language-Team: Armenian (http://www.transifex.com/projects/p/owncloud/language/hy/)\n" diff --git a/l10n/hy/lib.po b/l10n/hy/lib.po index 07d4691521..40f120e535 100644 --- a/l10n/hy/lib.po +++ b/l10n/hy/lib.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:13+0000\n" +"POT-Creation-Date: 2013-07-24 01:55-0400\n" +"PO-Revision-Date: 2013-07-24 05:55+0000\n" "Last-Translator: I Robot \n" "Language-Team: Armenian (http://www.transifex.com/projects/p/owncloud/language/hy/)\n" "MIME-Version: 1.0\n" @@ -41,27 +41,43 @@ msgstr "" msgid "Admin" msgstr "" +#: app.php:844 +#, php-format +msgid "Failed to upgrade \"%s\"." +msgstr "" + #: defaults.php:33 msgid "web services under your control" msgstr "" -#: files.php:210 +#: files.php:66 files.php:98 +#, php-format +msgid "cannot open \"%s\"" +msgstr "" + +#: files.php:226 msgid "ZIP download is turned off." msgstr "" -#: files.php:211 +#: files.php:227 msgid "Files need to be downloaded one by one." msgstr "" -#: files.php:212 files.php:245 +#: files.php:228 files.php:256 msgid "Back to Files" msgstr "" -#: files.php:242 +#: files.php:253 msgid "Selected files too large to generate zip file." msgstr "" -#: helper.php:236 +#: files.php:254 +msgid "" +"Download the files in smaller chunks, seperately or kindly ask your " +"administrator." +msgstr "" + +#: helper.php:235 msgid "couldn't be determined" msgstr "" @@ -170,77 +186,81 @@ msgstr "" msgid "PostgreSQL username and/or password not valid" msgstr "" -#: setup.php:42 +#: setup.php:28 msgid "Set an admin username." msgstr "" -#: setup.php:45 +#: setup.php:31 msgid "Set an admin password." msgstr "" -#: setup.php:198 +#: setup.php:184 msgid "" "Your web server is not yet properly setup to allow files synchronization " "because the WebDAV interface seems to be broken." msgstr "" -#: setup.php:199 +#: setup.php:185 #, php-format msgid "Please double check the installation guides." msgstr "" -#: template.php:113 +#: template/functions.php:80 msgid "seconds ago" msgstr "" -#: template.php:114 +#: template/functions.php:81 msgid "1 minute ago" msgstr "" -#: template.php:115 +#: template/functions.php:82 #, php-format msgid "%d minutes ago" msgstr "" -#: template.php:116 +#: template/functions.php:83 msgid "1 hour ago" msgstr "" -#: template.php:117 +#: template/functions.php:84 #, php-format msgid "%d hours ago" msgstr "" -#: template.php:118 +#: template/functions.php:85 msgid "today" msgstr "" -#: template.php:119 +#: template/functions.php:86 msgid "yesterday" msgstr "" -#: template.php:120 +#: template/functions.php:87 #, php-format msgid "%d days ago" msgstr "" -#: template.php:121 +#: template/functions.php:88 msgid "last month" msgstr "" -#: template.php:122 +#: template/functions.php:89 #, php-format msgid "%d months ago" msgstr "" -#: template.php:123 +#: template/functions.php:90 msgid "last year" msgstr "" -#: template.php:124 +#: template/functions.php:91 msgid "years ago" msgstr "" +#: template.php:296 +msgid "Caused by:" +msgstr "" + #: vcategories.php:188 vcategories.php:249 #, php-format msgid "Could not find category \"%s\"" diff --git a/l10n/hy/settings.po b/l10n/hy/settings.po index 7aae4ee9ae..530c35dcb2 100644 --- a/l10n/hy/settings.po +++ b/l10n/hy/settings.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:55+0000\n" "Last-Translator: I Robot \n" "Language-Team: Armenian (http://www.transifex.com/projects/p/owncloud/language/hy/)\n" "MIME-Version: 1.0\n" @@ -273,62 +273,71 @@ msgstr "" msgid "Allow users to share items to the public with links" msgstr "" -#: templates/admin.php:152 +#: templates/admin.php:153 +msgid "Allow public uploads" +msgstr "" + +#: templates/admin.php:154 +msgid "" +"Allow users to enable others to upload into their publicly shared folders" +msgstr "" + +#: templates/admin.php:162 msgid "Allow resharing" msgstr "" -#: templates/admin.php:153 +#: templates/admin.php:163 msgid "Allow users to share items shared with them again" msgstr "" -#: templates/admin.php:160 +#: templates/admin.php:170 msgid "Allow users to share with anyone" msgstr "" -#: templates/admin.php:163 +#: templates/admin.php:173 msgid "Allow users to only share with users in their groups" msgstr "" -#: templates/admin.php:170 +#: templates/admin.php:180 msgid "Security" msgstr "" -#: templates/admin.php:183 +#: templates/admin.php:193 msgid "Enforce HTTPS" msgstr "" -#: templates/admin.php:184 +#: templates/admin.php:194 msgid "" "Enforces the clients to connect to ownCloud via an encrypted connection." msgstr "" -#: templates/admin.php:187 +#: templates/admin.php:197 msgid "" "Please connect to this ownCloud instance via HTTPS to enable or disable the " "SSL enforcement." msgstr "" -#: templates/admin.php:197 +#: templates/admin.php:207 msgid "Log" msgstr "" -#: templates/admin.php:198 +#: templates/admin.php:208 msgid "Log level" msgstr "" -#: templates/admin.php:229 +#: templates/admin.php:239 msgid "More" msgstr "" -#: templates/admin.php:230 +#: templates/admin.php:240 msgid "Less" msgstr "" -#: templates/admin.php:236 templates/personal.php:116 +#: templates/admin.php:246 templates/personal.php:116 msgid "Version" msgstr "" -#: templates/admin.php:240 templates/personal.php:119 +#: templates/admin.php:250 templates/personal.php:119 msgid "" "Developed by the ownCloud community, the access your Files via WebDAV" msgstr "" #: templates/users.php:21 diff --git a/l10n/ia/core.po b/l10n/ia/core.po index 95472114c9..71adf47920 100644 --- a/l10n/ia/core.po +++ b/l10n/ia/core.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:12+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:04+0000\n" "Last-Translator: I Robot \n" "Language-Team: Interlingua (http://www.transifex.com/projects/p/owncloud/language/ia/)\n" "MIME-Version: 1.0\n" @@ -137,59 +137,59 @@ msgstr "Novembre" msgid "December" msgstr "Decembre" -#: js/js.js:289 +#: js/js.js:293 msgid "Settings" msgstr "Configurationes" -#: js/js.js:721 +#: js/js.js:715 msgid "seconds ago" msgstr "" -#: js/js.js:722 +#: js/js.js:716 msgid "1 minute ago" msgstr "" -#: js/js.js:723 +#: js/js.js:717 msgid "{minutes} minutes ago" msgstr "" -#: js/js.js:724 +#: js/js.js:718 msgid "1 hour ago" msgstr "" -#: js/js.js:725 +#: js/js.js:719 msgid "{hours} hours ago" msgstr "" -#: js/js.js:726 +#: js/js.js:720 msgid "today" msgstr "" -#: js/js.js:727 +#: js/js.js:721 msgid "yesterday" msgstr "" -#: js/js.js:728 +#: js/js.js:722 msgid "{days} days ago" msgstr "" -#: js/js.js:729 +#: js/js.js:723 msgid "last month" msgstr "" -#: js/js.js:730 +#: js/js.js:724 msgid "{months} months ago" msgstr "" -#: js/js.js:731 +#: js/js.js:725 msgid "months ago" msgstr "" -#: js/js.js:732 +#: js/js.js:726 msgid "last year" msgstr "" -#: js/js.js:733 +#: js/js.js:727 msgid "years ago" msgstr "" @@ -225,8 +225,8 @@ msgstr "" #: js/oc-vcategories.js:14 js/oc-vcategories.js:80 js/oc-vcategories.js:95 #: js/oc-vcategories.js:110 js/oc-vcategories.js:125 js/oc-vcategories.js:136 #: js/oc-vcategories.js:172 js/oc-vcategories.js:189 js/oc-vcategories.js:195 -#: js/oc-vcategories.js:199 js/share.js:136 js/share.js:143 js/share.js:618 -#: js/share.js:630 +#: js/oc-vcategories.js:199 js/share.js:136 js/share.js:143 js/share.js:625 +#: js/share.js:637 msgid "Error" msgstr "Error" @@ -246,7 +246,7 @@ msgstr "" msgid "Share" msgstr "Compartir" -#: js/share.js:125 js/share.js:658 +#: js/share.js:125 js/share.js:665 msgid "Error while sharing" msgstr "" @@ -266,114 +266,114 @@ msgstr "" msgid "Shared with you by {owner}" msgstr "" -#: js/share.js:172 +#: js/share.js:177 msgid "Share with" msgstr "" -#: js/share.js:177 +#: js/share.js:182 msgid "Share with link" msgstr "" -#: js/share.js:180 +#: js/share.js:185 msgid "Password protect" msgstr "" -#: js/share.js:182 templates/installation.php:54 templates/login.php:26 +#: js/share.js:187 templates/installation.php:54 templates/login.php:26 msgid "Password" msgstr "Contrasigno" -#: js/share.js:186 +#: js/share.js:192 msgid "Allow Public Upload" msgstr "" -#: js/share.js:189 +#: js/share.js:196 msgid "Email link to person" msgstr "" -#: js/share.js:190 +#: js/share.js:197 msgid "Send" msgstr "Invia" -#: js/share.js:195 +#: js/share.js:202 msgid "Set expiration date" msgstr "" -#: js/share.js:196 +#: js/share.js:203 msgid "Expiration date" msgstr "" -#: js/share.js:228 +#: js/share.js:235 msgid "Share via email:" msgstr "" -#: js/share.js:230 +#: js/share.js:237 msgid "No people found" msgstr "" -#: js/share.js:268 +#: js/share.js:275 msgid "Resharing is not allowed" msgstr "" -#: js/share.js:304 +#: js/share.js:311 msgid "Shared in {item} with {user}" msgstr "" -#: js/share.js:325 +#: js/share.js:332 msgid "Unshare" msgstr "" -#: js/share.js:337 +#: js/share.js:344 msgid "can edit" msgstr "" -#: js/share.js:339 +#: js/share.js:346 msgid "access control" msgstr "" -#: js/share.js:342 +#: js/share.js:349 msgid "create" msgstr "" -#: js/share.js:345 +#: js/share.js:352 msgid "update" msgstr "" -#: js/share.js:348 +#: js/share.js:355 msgid "delete" msgstr "" -#: js/share.js:351 +#: js/share.js:358 msgid "share" msgstr "" -#: js/share.js:385 js/share.js:605 +#: js/share.js:392 js/share.js:612 msgid "Password protected" msgstr "" -#: js/share.js:618 +#: js/share.js:625 msgid "Error unsetting expiration date" msgstr "" -#: js/share.js:630 +#: js/share.js:637 msgid "Error setting expiration date" msgstr "" -#: js/share.js:645 +#: js/share.js:652 msgid "Sending ..." msgstr "" -#: js/share.js:656 +#: js/share.js:663 msgid "Email sent" msgstr "" -#: js/update.js:14 +#: js/update.js:17 msgid "" "The update was unsuccessful. Please report this issue to the ownCloud " "community." msgstr "" -#: js/update.js:18 +#: js/update.js:21 msgid "The update was successful. Redirecting you to ownCloud now." msgstr "" @@ -465,7 +465,7 @@ msgstr "Accesso prohibite" msgid "Cloud not found" msgstr "Nube non trovate" -#: templates/altmail.php:2 +#: templates/altmail.php:4 #, php-format msgid "" "Hey there,\n" @@ -476,10 +476,6 @@ msgid "" "Cheers!" msgstr "" -#: templates/altmail.php:7 templates/mail.php:24 -msgid "web services under your control" -msgstr "servicios web sub tu controlo" - #: templates/edit_categories_dialog.php:4 msgid "Edit categories" msgstr "Modificar categorias" @@ -611,7 +607,7 @@ msgstr "Aperir session" msgid "Alternative Logins" msgstr "" -#: templates/mail.php:15 +#: templates/mail.php:16 #, php-format msgid "" "Hey there,

    just letting you know that %s shared »%s« with you.
    \n" "Language-Team: Interlingua (http://www.transifex.com/projects/p/owncloud/language/ia/)\n" "MIME-Version: 1.0\n" @@ -27,54 +27,54 @@ msgstr "" msgid "Could not move %s" msgstr "" -#: ajax/upload.php:16 ajax/upload.php:39 +#: ajax/upload.php:16 ajax/upload.php:45 msgid "Unable to set upload directory." msgstr "" -#: ajax/upload.php:23 +#: ajax/upload.php:22 msgid "Invalid Token" msgstr "" -#: ajax/upload.php:55 +#: ajax/upload.php:59 msgid "No file was uploaded. Unknown error" msgstr "" -#: ajax/upload.php:62 +#: ajax/upload.php:66 msgid "There is no error, the file uploaded with success" msgstr "" -#: ajax/upload.php:63 +#: ajax/upload.php:67 msgid "" "The uploaded file exceeds the upload_max_filesize directive in php.ini: " msgstr "" -#: ajax/upload.php:65 +#: ajax/upload.php:69 msgid "" "The uploaded file exceeds the MAX_FILE_SIZE directive that was specified in " "the HTML form" msgstr "" -#: ajax/upload.php:66 +#: ajax/upload.php:70 msgid "The uploaded file was only partially uploaded" msgstr "Le file incargate solmente esseva incargate partialmente" -#: ajax/upload.php:67 +#: ajax/upload.php:71 msgid "No file was uploaded" msgstr "Nulle file esseva incargate." -#: ajax/upload.php:68 +#: ajax/upload.php:72 msgid "Missing a temporary folder" msgstr "Manca un dossier temporari" -#: ajax/upload.php:69 +#: ajax/upload.php:73 msgid "Failed to write to disk" msgstr "" -#: ajax/upload.php:87 +#: ajax/upload.php:91 msgid "Not enough storage available" msgstr "" -#: ajax/upload.php:119 +#: ajax/upload.php:123 msgid "Invalid directory." msgstr "" @@ -128,43 +128,43 @@ msgstr "Deler" msgid "Rename" msgstr "" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:464 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:465 msgid "Pending" msgstr "" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "{new_name} already exists" msgstr "" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "replace" msgstr "" -#: js/filelist.js:302 +#: js/filelist.js:303 msgid "suggest name" msgstr "" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "cancel" msgstr "" -#: js/filelist.js:349 +#: js/filelist.js:350 msgid "replaced {new_name} with {old_name}" msgstr "" -#: js/filelist.js:349 +#: js/filelist.js:350 msgid "undo" msgstr "" -#: js/filelist.js:374 +#: js/filelist.js:375 msgid "perform delete operation" msgstr "" -#: js/filelist.js:456 +#: js/filelist.js:457 msgid "1 file uploading" msgstr "" -#: js/filelist.js:459 js/filelist.js:517 +#: js/filelist.js:460 js/filelist.js:518 msgid "files uploading" msgstr "" @@ -212,19 +212,19 @@ msgstr "Dimension" msgid "Modified" msgstr "Modificate" -#: js/files.js:765 +#: js/files.js:763 msgid "1 folder" msgstr "" -#: js/files.js:767 +#: js/files.js:765 msgid "{count} folders" msgstr "" -#: js/files.js:775 +#: js/files.js:773 msgid "1 file" msgstr "" -#: js/files.js:777 +#: js/files.js:775 msgid "{count} files" msgstr "" @@ -327,19 +327,19 @@ msgstr "" msgid "Current scanning" msgstr "" -#: templates/part.list.php:78 +#: templates/part.list.php:74 msgid "directory" msgstr "" -#: templates/part.list.php:80 +#: templates/part.list.php:76 msgid "directories" msgstr "" -#: templates/part.list.php:89 +#: templates/part.list.php:85 msgid "file" msgstr "" -#: templates/part.list.php:91 +#: templates/part.list.php:87 msgid "files" msgstr "" diff --git a/l10n/ia/files_external.po b/l10n/ia/files_external.po index d5dd7cf6d5..37018f9460 100644 --- a/l10n/ia/files_external.po +++ b/l10n/ia/files_external.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: I Robot \n" "Language-Team: Interlingua (http://www.transifex.com/projects/p/owncloud/language/ia/)\n" "MIME-Version: 1.0\n" @@ -37,20 +37,20 @@ msgstr "" msgid "Error configuring Google Drive storage" msgstr "" -#: lib/config.php:431 +#: lib/config.php:447 msgid "" "Warning: \"smbclient\" is not installed. Mounting of CIFS/SMB shares " "is not possible. Please ask your system administrator to install it." msgstr "" -#: lib/config.php:434 +#: lib/config.php:450 msgid "" "Warning: The FTP support in PHP is not enabled or installed. Mounting" " of FTP shares is not possible. Please ask your system administrator to " "install it." msgstr "" -#: lib/config.php:437 +#: lib/config.php:453 msgid "" "Warning: The Curl support in PHP is not enabled or installed. " "Mounting of ownCloud / WebDAV or GoogleDrive is not possible. Please ask " diff --git a/l10n/ia/files_sharing.po b/l10n/ia/files_sharing.po index 1140c74f32..2247eb9098 100644 --- a/l10n/ia/files_sharing.po +++ b/l10n/ia/files_sharing.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:13+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: I Robot \n" "Language-Team: Interlingua (http://www.transifex.com/projects/p/owncloud/language/ia/)\n" "MIME-Version: 1.0\n" @@ -39,18 +39,18 @@ msgstr "" msgid "%s shared the file %s with you" msgstr "" -#: templates/public.php:28 templates/public.php:86 +#: templates/public.php:28 templates/public.php:90 msgid "Download" msgstr "Discargar" -#: templates/public.php:44 +#: templates/public.php:45 templates/public.php:48 msgid "Upload" msgstr "Incargar" -#: templates/public.php:54 +#: templates/public.php:58 msgid "Cancel upload" msgstr "" -#: templates/public.php:83 +#: templates/public.php:87 msgid "No preview available for" msgstr "" diff --git a/l10n/ia/files_trashbin.po b/l10n/ia/files_trashbin.po index 93c82b99f9..c3bac94d93 100644 --- a/l10n/ia/files_trashbin.po +++ b/l10n/ia/files_trashbin.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: I Robot \n" "Language-Team: Interlingua (http://www.transifex.com/projects/p/owncloud/language/ia/)\n" "MIME-Version: 1.0\n" diff --git a/l10n/ia/lib.po b/l10n/ia/lib.po index 183ac93eea..283c448b8e 100644 --- a/l10n/ia/lib.po +++ b/l10n/ia/lib.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:13+0000\n" +"POT-Creation-Date: 2013-07-24 01:55-0400\n" +"PO-Revision-Date: 2013-07-24 05:55+0000\n" "Last-Translator: I Robot \n" "Language-Team: Interlingua (http://www.transifex.com/projects/p/owncloud/language/ia/)\n" "MIME-Version: 1.0\n" @@ -41,27 +41,43 @@ msgstr "Applicationes" msgid "Admin" msgstr "Administration" -#: defaults.php:33 -msgid "web services under your control" +#: app.php:844 +#, php-format +msgid "Failed to upgrade \"%s\"." msgstr "" -#: files.php:210 +#: defaults.php:33 +msgid "web services under your control" +msgstr "servicios web sub tu controlo" + +#: files.php:66 files.php:98 +#, php-format +msgid "cannot open \"%s\"" +msgstr "" + +#: files.php:226 msgid "ZIP download is turned off." msgstr "" -#: files.php:211 +#: files.php:227 msgid "Files need to be downloaded one by one." msgstr "" -#: files.php:212 files.php:245 +#: files.php:228 files.php:256 msgid "Back to Files" msgstr "" -#: files.php:242 +#: files.php:253 msgid "Selected files too large to generate zip file." msgstr "" -#: helper.php:236 +#: files.php:254 +msgid "" +"Download the files in smaller chunks, seperately or kindly ask your " +"administrator." +msgstr "" + +#: helper.php:235 msgid "couldn't be determined" msgstr "" @@ -170,77 +186,81 @@ msgstr "" msgid "PostgreSQL username and/or password not valid" msgstr "" -#: setup.php:42 +#: setup.php:28 msgid "Set an admin username." msgstr "" -#: setup.php:45 +#: setup.php:31 msgid "Set an admin password." msgstr "" -#: setup.php:198 +#: setup.php:184 msgid "" "Your web server is not yet properly setup to allow files synchronization " "because the WebDAV interface seems to be broken." msgstr "" -#: setup.php:199 +#: setup.php:185 #, php-format msgid "Please double check the installation guides." msgstr "" -#: template.php:113 +#: template/functions.php:80 msgid "seconds ago" msgstr "" -#: template.php:114 +#: template/functions.php:81 msgid "1 minute ago" msgstr "" -#: template.php:115 +#: template/functions.php:82 #, php-format msgid "%d minutes ago" msgstr "" -#: template.php:116 +#: template/functions.php:83 msgid "1 hour ago" msgstr "" -#: template.php:117 +#: template/functions.php:84 #, php-format msgid "%d hours ago" msgstr "" -#: template.php:118 +#: template/functions.php:85 msgid "today" msgstr "" -#: template.php:119 +#: template/functions.php:86 msgid "yesterday" msgstr "" -#: template.php:120 +#: template/functions.php:87 #, php-format msgid "%d days ago" msgstr "" -#: template.php:121 +#: template/functions.php:88 msgid "last month" msgstr "" -#: template.php:122 +#: template/functions.php:89 #, php-format msgid "%d months ago" msgstr "" -#: template.php:123 +#: template/functions.php:90 msgid "last year" msgstr "" -#: template.php:124 +#: template/functions.php:91 msgid "years ago" msgstr "" +#: template.php:296 +msgid "Caused by:" +msgstr "" + #: vcategories.php:188 vcategories.php:249 #, php-format msgid "Could not find category \"%s\"" diff --git a/l10n/ia/settings.po b/l10n/ia/settings.po index 9d4272ee3d..25d30e7991 100644 --- a/l10n/ia/settings.po +++ b/l10n/ia/settings.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:55+0000\n" "Last-Translator: I Robot \n" "Language-Team: Interlingua (http://www.transifex.com/projects/p/owncloud/language/ia/)\n" "MIME-Version: 1.0\n" @@ -273,62 +273,71 @@ msgstr "" msgid "Allow users to share items to the public with links" msgstr "" -#: templates/admin.php:152 +#: templates/admin.php:153 +msgid "Allow public uploads" +msgstr "" + +#: templates/admin.php:154 +msgid "" +"Allow users to enable others to upload into their publicly shared folders" +msgstr "" + +#: templates/admin.php:162 msgid "Allow resharing" msgstr "" -#: templates/admin.php:153 +#: templates/admin.php:163 msgid "Allow users to share items shared with them again" msgstr "" -#: templates/admin.php:160 +#: templates/admin.php:170 msgid "Allow users to share with anyone" msgstr "" -#: templates/admin.php:163 +#: templates/admin.php:173 msgid "Allow users to only share with users in their groups" msgstr "" -#: templates/admin.php:170 +#: templates/admin.php:180 msgid "Security" msgstr "" -#: templates/admin.php:183 +#: templates/admin.php:193 msgid "Enforce HTTPS" msgstr "" -#: templates/admin.php:184 +#: templates/admin.php:194 msgid "" "Enforces the clients to connect to ownCloud via an encrypted connection." msgstr "" -#: templates/admin.php:187 +#: templates/admin.php:197 msgid "" "Please connect to this ownCloud instance via HTTPS to enable or disable the " "SSL enforcement." msgstr "" -#: templates/admin.php:197 +#: templates/admin.php:207 msgid "Log" msgstr "Registro" -#: templates/admin.php:198 +#: templates/admin.php:208 msgid "Log level" msgstr "" -#: templates/admin.php:229 +#: templates/admin.php:239 msgid "More" msgstr "Plus" -#: templates/admin.php:230 +#: templates/admin.php:240 msgid "Less" msgstr "" -#: templates/admin.php:236 templates/personal.php:116 +#: templates/admin.php:246 templates/personal.php:116 msgid "Version" msgstr "" -#: templates/admin.php:240 templates/personal.php:119 +#: templates/admin.php:250 templates/personal.php:119 msgid "" "Developed by the ownCloud community, the access your Files via WebDAV" msgstr "" #: templates/users.php:21 diff --git a/l10n/ia/user_ldap.po b/l10n/ia/user_ldap.po index 12092d02bc..51f6861ff8 100644 --- a/l10n/ia/user_ldap.po +++ b/l10n/ia/user_ldap.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: I Robot \n" "Language-Team: Interlingua (http://www.transifex.com/projects/p/owncloud/language/ia/)\n" "MIME-Version: 1.0\n" diff --git a/l10n/id/core.po b/l10n/id/core.po index 56590d0037..9dbb390bca 100644 --- a/l10n/id/core.po +++ b/l10n/id/core.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:12+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:04+0000\n" "Last-Translator: I Robot \n" "Language-Team: Indonesian (http://www.transifex.com/projects/p/owncloud/language/id/)\n" "MIME-Version: 1.0\n" @@ -137,59 +137,59 @@ msgstr "November" msgid "December" msgstr "Desember" -#: js/js.js:289 +#: js/js.js:293 msgid "Settings" msgstr "Setelan" -#: js/js.js:721 +#: js/js.js:715 msgid "seconds ago" msgstr "beberapa detik yang lalu" -#: js/js.js:722 +#: js/js.js:716 msgid "1 minute ago" msgstr "1 menit yang lalu" -#: js/js.js:723 +#: js/js.js:717 msgid "{minutes} minutes ago" msgstr "{minutes} menit yang lalu" -#: js/js.js:724 +#: js/js.js:718 msgid "1 hour ago" msgstr "1 jam yang lalu" -#: js/js.js:725 +#: js/js.js:719 msgid "{hours} hours ago" msgstr "{hours} jam yang lalu" -#: js/js.js:726 +#: js/js.js:720 msgid "today" msgstr "hari ini" -#: js/js.js:727 +#: js/js.js:721 msgid "yesterday" msgstr "kemarin" -#: js/js.js:728 +#: js/js.js:722 msgid "{days} days ago" msgstr "{days} hari yang lalu" -#: js/js.js:729 +#: js/js.js:723 msgid "last month" msgstr "bulan kemarin" -#: js/js.js:730 +#: js/js.js:724 msgid "{months} months ago" msgstr "{months} bulan yang lalu" -#: js/js.js:731 +#: js/js.js:725 msgid "months ago" msgstr "beberapa bulan lalu" -#: js/js.js:732 +#: js/js.js:726 msgid "last year" msgstr "tahun kemarin" -#: js/js.js:733 +#: js/js.js:727 msgid "years ago" msgstr "beberapa tahun lalu" @@ -225,8 +225,8 @@ msgstr "Tipe objek tidak ditentukan." #: js/oc-vcategories.js:14 js/oc-vcategories.js:80 js/oc-vcategories.js:95 #: js/oc-vcategories.js:110 js/oc-vcategories.js:125 js/oc-vcategories.js:136 #: js/oc-vcategories.js:172 js/oc-vcategories.js:189 js/oc-vcategories.js:195 -#: js/oc-vcategories.js:199 js/share.js:136 js/share.js:143 js/share.js:618 -#: js/share.js:630 +#: js/oc-vcategories.js:199 js/share.js:136 js/share.js:143 js/share.js:625 +#: js/share.js:637 msgid "Error" msgstr "Galat" @@ -246,7 +246,7 @@ msgstr "Dibagikan" msgid "Share" msgstr "Bagikan" -#: js/share.js:125 js/share.js:658 +#: js/share.js:125 js/share.js:665 msgid "Error while sharing" msgstr "Galat ketika membagikan" @@ -266,114 +266,114 @@ msgstr "Dibagikan dengan Anda dan grup {group} oleh {owner}" msgid "Shared with you by {owner}" msgstr "Dibagikan dengan Anda oleh {owner}" -#: js/share.js:172 +#: js/share.js:177 msgid "Share with" msgstr "Bagikan dengan" -#: js/share.js:177 +#: js/share.js:182 msgid "Share with link" msgstr "Bagikan lewat tautan" -#: js/share.js:180 +#: js/share.js:185 msgid "Password protect" msgstr "Lindungi dengan sandi" -#: js/share.js:182 templates/installation.php:54 templates/login.php:26 +#: js/share.js:187 templates/installation.php:54 templates/login.php:26 msgid "Password" msgstr "Sandi" -#: js/share.js:186 +#: js/share.js:192 msgid "Allow Public Upload" msgstr "" -#: js/share.js:189 +#: js/share.js:196 msgid "Email link to person" msgstr "Emailkan tautan ini ke orang" -#: js/share.js:190 +#: js/share.js:197 msgid "Send" msgstr "Kirim" -#: js/share.js:195 +#: js/share.js:202 msgid "Set expiration date" msgstr "Setel tanggal kedaluwarsa" -#: js/share.js:196 +#: js/share.js:203 msgid "Expiration date" msgstr "Tanggal kedaluwarsa" -#: js/share.js:228 +#: js/share.js:235 msgid "Share via email:" msgstr "Bagian lewat email:" -#: js/share.js:230 +#: js/share.js:237 msgid "No people found" msgstr "Tidak ada orang ditemukan" -#: js/share.js:268 +#: js/share.js:275 msgid "Resharing is not allowed" msgstr "Berbagi ulang tidak diizinkan" -#: js/share.js:304 +#: js/share.js:311 msgid "Shared in {item} with {user}" msgstr "Dibagikan dalam {item} dengan {user}" -#: js/share.js:325 +#: js/share.js:332 msgid "Unshare" msgstr "Batalkan berbagi" -#: js/share.js:337 +#: js/share.js:344 msgid "can edit" msgstr "dapat mengedit" -#: js/share.js:339 +#: js/share.js:346 msgid "access control" msgstr "kontrol akses" -#: js/share.js:342 +#: js/share.js:349 msgid "create" msgstr "buat" -#: js/share.js:345 +#: js/share.js:352 msgid "update" msgstr "perbarui" -#: js/share.js:348 +#: js/share.js:355 msgid "delete" msgstr "hapus" -#: js/share.js:351 +#: js/share.js:358 msgid "share" msgstr "bagikan" -#: js/share.js:385 js/share.js:605 +#: js/share.js:392 js/share.js:612 msgid "Password protected" msgstr "Dilindungi sandi" -#: js/share.js:618 +#: js/share.js:625 msgid "Error unsetting expiration date" msgstr "Galat ketika menghapus tanggal kedaluwarsa" -#: js/share.js:630 +#: js/share.js:637 msgid "Error setting expiration date" msgstr "Galat ketika menyetel tanggal kedaluwarsa" -#: js/share.js:645 +#: js/share.js:652 msgid "Sending ..." msgstr "Mengirim ..." -#: js/share.js:656 +#: js/share.js:663 msgid "Email sent" msgstr "Email terkirim" -#: js/update.js:14 +#: js/update.js:17 msgid "" "The update was unsuccessful. Please report this issue to the ownCloud " "community." msgstr "Pembaruan gagal. Silakan laporkan masalah ini ke komunitas ownCloud." -#: js/update.js:18 +#: js/update.js:21 msgid "The update was successful. Redirecting you to ownCloud now." msgstr "Pembaruan sukses. Anda akan diarahkan ulang ke ownCloud." @@ -465,7 +465,7 @@ msgstr "Akses ditolak" msgid "Cloud not found" msgstr "Cloud tidak ditemukan" -#: templates/altmail.php:2 +#: templates/altmail.php:4 #, php-format msgid "" "Hey there,\n" @@ -476,10 +476,6 @@ msgid "" "Cheers!" msgstr "" -#: templates/altmail.php:7 templates/mail.php:24 -msgid "web services under your control" -msgstr "layanan web dalam kontrol Anda" - #: templates/edit_categories_dialog.php:4 msgid "Edit categories" msgstr "Edit kategori" @@ -611,7 +607,7 @@ msgstr "Masuk" msgid "Alternative Logins" msgstr "Cara Alternatif untuk Masuk" -#: templates/mail.php:15 +#: templates/mail.php:16 #, php-format msgid "" "Hey there,

    just letting you know that %s shared »%s« with you.
    \n" "Language-Team: Indonesian (http://www.transifex.com/projects/p/owncloud/language/id/)\n" "MIME-Version: 1.0\n" @@ -27,54 +27,54 @@ msgstr "Tidak dapat memindahkan %s - Berkas dengan nama ini sudah ada" msgid "Could not move %s" msgstr "Tidak dapat memindahkan %s" -#: ajax/upload.php:16 ajax/upload.php:39 +#: ajax/upload.php:16 ajax/upload.php:45 msgid "Unable to set upload directory." msgstr "" -#: ajax/upload.php:23 +#: ajax/upload.php:22 msgid "Invalid Token" msgstr "" -#: ajax/upload.php:55 +#: ajax/upload.php:59 msgid "No file was uploaded. Unknown error" msgstr "Tidak ada berkas yang diunggah. Galat tidak dikenal." -#: ajax/upload.php:62 +#: ajax/upload.php:66 msgid "There is no error, the file uploaded with success" msgstr "Tidak ada galat, berkas sukses diunggah" -#: ajax/upload.php:63 +#: ajax/upload.php:67 msgid "" "The uploaded file exceeds the upload_max_filesize directive in php.ini: " msgstr "Berkas yang diunggah melampaui direktif upload_max_filesize pada php.ini" -#: ajax/upload.php:65 +#: ajax/upload.php:69 msgid "" "The uploaded file exceeds the MAX_FILE_SIZE directive that was specified in " "the HTML form" msgstr "Berkas yang diunggah melampaui direktif MAX_FILE_SIZE yang ditentukan dalam formulir HTML." -#: ajax/upload.php:66 +#: ajax/upload.php:70 msgid "The uploaded file was only partially uploaded" msgstr "Berkas hanya diunggah sebagian" -#: ajax/upload.php:67 +#: ajax/upload.php:71 msgid "No file was uploaded" msgstr "Tidak ada berkas yang diunggah" -#: ajax/upload.php:68 +#: ajax/upload.php:72 msgid "Missing a temporary folder" msgstr "Folder sementara tidak ada" -#: ajax/upload.php:69 +#: ajax/upload.php:73 msgid "Failed to write to disk" msgstr "Gagal menulis ke disk" -#: ajax/upload.php:87 +#: ajax/upload.php:91 msgid "Not enough storage available" msgstr "Ruang penyimpanan tidak mencukupi" -#: ajax/upload.php:119 +#: ajax/upload.php:123 msgid "Invalid directory." msgstr "Direktori tidak valid." @@ -128,43 +128,43 @@ msgstr "Hapus" msgid "Rename" msgstr "Ubah nama" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:464 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:465 msgid "Pending" msgstr "Menunggu" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "{new_name} already exists" msgstr "{new_name} sudah ada" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "replace" msgstr "ganti" -#: js/filelist.js:302 +#: js/filelist.js:303 msgid "suggest name" msgstr "sarankan nama" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "cancel" msgstr "batalkan" -#: js/filelist.js:349 +#: js/filelist.js:350 msgid "replaced {new_name} with {old_name}" msgstr "mengganti {new_name} dengan {old_name}" -#: js/filelist.js:349 +#: js/filelist.js:350 msgid "undo" msgstr "urungkan" -#: js/filelist.js:374 +#: js/filelist.js:375 msgid "perform delete operation" msgstr "Lakukan operasi penghapusan" -#: js/filelist.js:456 +#: js/filelist.js:457 msgid "1 file uploading" msgstr "1 berkas diunggah" -#: js/filelist.js:459 js/filelist.js:517 +#: js/filelist.js:460 js/filelist.js:518 msgid "files uploading" msgstr "berkas diunggah" @@ -212,19 +212,19 @@ msgstr "Ukuran" msgid "Modified" msgstr "Dimodifikasi" -#: js/files.js:765 +#: js/files.js:763 msgid "1 folder" msgstr "1 folder" -#: js/files.js:767 +#: js/files.js:765 msgid "{count} folders" msgstr "{count} folder" -#: js/files.js:775 +#: js/files.js:773 msgid "1 file" msgstr "1 berkas" -#: js/files.js:777 +#: js/files.js:775 msgid "{count} files" msgstr "{count} berkas" @@ -327,19 +327,19 @@ msgstr "Berkas sedang dipindai, silakan tunggu." msgid "Current scanning" msgstr "Yang sedang dipindai" -#: templates/part.list.php:78 +#: templates/part.list.php:74 msgid "directory" msgstr "" -#: templates/part.list.php:80 +#: templates/part.list.php:76 msgid "directories" msgstr "" -#: templates/part.list.php:89 +#: templates/part.list.php:85 msgid "file" msgstr "berkas" -#: templates/part.list.php:91 +#: templates/part.list.php:87 msgid "files" msgstr "berkas-berkas" diff --git a/l10n/id/files_external.po b/l10n/id/files_external.po index 07a10c8501..fc20f2c014 100644 --- a/l10n/id/files_external.po +++ b/l10n/id/files_external.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: I Robot \n" "Language-Team: Indonesian (http://www.transifex.com/projects/p/owncloud/language/id/)\n" "MIME-Version: 1.0\n" @@ -37,20 +37,20 @@ msgstr "Masukkan kunci dan sandi aplikasi Dropbox yang benar." msgid "Error configuring Google Drive storage" msgstr "Kesalahan dalam mengkonfigurasi penyimpanan Google Drive" -#: lib/config.php:431 +#: lib/config.php:447 msgid "" "Warning: \"smbclient\" is not installed. Mounting of CIFS/SMB shares " "is not possible. Please ask your system administrator to install it." msgstr "Peringatan: \"smbclient\" tidak terpasang. Mount direktori CIFS/SMB tidak dapat dilakukan. Silakan minta administrator sistem untuk memasangnya." -#: lib/config.php:434 +#: lib/config.php:450 msgid "" "Warning: The FTP support in PHP is not enabled or installed. Mounting" " of FTP shares is not possible. Please ask your system administrator to " "install it." msgstr "Peringatan: Dukungan FTP di PHP tidak aktif atau tidak terpasang. Mount direktori FTP tidak dapat dilakukan. Silakan minta administrator sistem untuk memasangnya." -#: lib/config.php:437 +#: lib/config.php:453 msgid "" "Warning: The Curl support in PHP is not enabled or installed. " "Mounting of ownCloud / WebDAV or GoogleDrive is not possible. Please ask " diff --git a/l10n/id/files_sharing.po b/l10n/id/files_sharing.po index c0d794fc2d..6741367871 100644 --- a/l10n/id/files_sharing.po +++ b/l10n/id/files_sharing.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:13+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: I Robot \n" "Language-Team: Indonesian (http://www.transifex.com/projects/p/owncloud/language/id/)\n" "MIME-Version: 1.0\n" @@ -39,18 +39,18 @@ msgstr "%s membagikan folder %s dengan Anda" msgid "%s shared the file %s with you" msgstr "%s membagikan file %s dengan Anda" -#: templates/public.php:28 templates/public.php:86 +#: templates/public.php:28 templates/public.php:90 msgid "Download" msgstr "Unduh" -#: templates/public.php:44 +#: templates/public.php:45 templates/public.php:48 msgid "Upload" msgstr "Unggah" -#: templates/public.php:54 +#: templates/public.php:58 msgid "Cancel upload" msgstr "Batal pengunggahan" -#: templates/public.php:83 +#: templates/public.php:87 msgid "No preview available for" msgstr "Tidak ada pratinjau tersedia untuk" diff --git a/l10n/id/files_trashbin.po b/l10n/id/files_trashbin.po index 20a5b3a585..8fc78b6942 100644 --- a/l10n/id/files_trashbin.po +++ b/l10n/id/files_trashbin.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: I Robot \n" "Language-Team: Indonesian (http://www.transifex.com/projects/p/owncloud/language/id/)\n" "MIME-Version: 1.0\n" diff --git a/l10n/id/lib.po b/l10n/id/lib.po index 9704b2b5e3..7d7e86cd29 100644 --- a/l10n/id/lib.po +++ b/l10n/id/lib.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:13+0000\n" +"POT-Creation-Date: 2013-07-24 01:55-0400\n" +"PO-Revision-Date: 2013-07-24 05:55+0000\n" "Last-Translator: I Robot \n" "Language-Team: Indonesian (http://www.transifex.com/projects/p/owncloud/language/id/)\n" "MIME-Version: 1.0\n" @@ -41,27 +41,43 @@ msgstr "Aplikasi" msgid "Admin" msgstr "Admin" -#: defaults.php:33 -msgid "web services under your control" +#: app.php:844 +#, php-format +msgid "Failed to upgrade \"%s\"." msgstr "" -#: files.php:210 +#: defaults.php:33 +msgid "web services under your control" +msgstr "layanan web dalam kontrol Anda" + +#: files.php:66 files.php:98 +#, php-format +msgid "cannot open \"%s\"" +msgstr "" + +#: files.php:226 msgid "ZIP download is turned off." msgstr "Pengunduhan ZIP dimatikan." -#: files.php:211 +#: files.php:227 msgid "Files need to be downloaded one by one." msgstr "Berkas harus diunduh satu persatu." -#: files.php:212 files.php:245 +#: files.php:228 files.php:256 msgid "Back to Files" msgstr "Kembali ke Daftar Berkas" -#: files.php:242 +#: files.php:253 msgid "Selected files too large to generate zip file." msgstr "Berkas yang dipilih terlalu besar untuk dibuat berkas zip-nya." -#: helper.php:236 +#: files.php:254 +msgid "" +"Download the files in smaller chunks, seperately or kindly ask your " +"administrator." +msgstr "" + +#: helper.php:235 msgid "couldn't be determined" msgstr "tidak dapat ditentukan" @@ -170,77 +186,81 @@ msgstr "Perintah yang bermasalah: \"%s\", nama pengguna: %s, sandi: %s" msgid "PostgreSQL username and/or password not valid" msgstr "Nama pengguna dan/atau sandi PostgreSQL tidak valid" -#: setup.php:42 +#: setup.php:28 msgid "Set an admin username." msgstr "Setel nama pengguna admin." -#: setup.php:45 +#: setup.php:31 msgid "Set an admin password." msgstr "Setel sandi admin." -#: setup.php:198 +#: setup.php:184 msgid "" "Your web server is not yet properly setup to allow files synchronization " "because the WebDAV interface seems to be broken." msgstr "Web server Anda belum dikonfigurasikan dengan baik untuk mengizinkan sinkronisasi berkas karena tampaknya antarmuka WebDAV rusak." -#: setup.php:199 +#: setup.php:185 #, php-format msgid "Please double check the installation guides." msgstr "Silakan periksa ulang panduan instalasi." -#: template.php:113 +#: template/functions.php:80 msgid "seconds ago" msgstr "beberapa detik yang lalu" -#: template.php:114 +#: template/functions.php:81 msgid "1 minute ago" msgstr "1 menit yang lalu" -#: template.php:115 +#: template/functions.php:82 #, php-format msgid "%d minutes ago" msgstr "%d menit yang lalu" -#: template.php:116 +#: template/functions.php:83 msgid "1 hour ago" msgstr "1 jam yang lalu" -#: template.php:117 +#: template/functions.php:84 #, php-format msgid "%d hours ago" msgstr "%d jam yang lalu" -#: template.php:118 +#: template/functions.php:85 msgid "today" msgstr "hari ini" -#: template.php:119 +#: template/functions.php:86 msgid "yesterday" msgstr "kemarin" -#: template.php:120 +#: template/functions.php:87 #, php-format msgid "%d days ago" msgstr "%d hari yang lalu" -#: template.php:121 +#: template/functions.php:88 msgid "last month" msgstr "bulan kemarin" -#: template.php:122 +#: template/functions.php:89 #, php-format msgid "%d months ago" msgstr "%d bulan yang lalu" -#: template.php:123 +#: template/functions.php:90 msgid "last year" msgstr "tahun kemarin" -#: template.php:124 +#: template/functions.php:91 msgid "years ago" msgstr "beberapa tahun lalu" +#: template.php:296 +msgid "Caused by:" +msgstr "" + #: vcategories.php:188 vcategories.php:249 #, php-format msgid "Could not find category \"%s\"" diff --git a/l10n/id/settings.po b/l10n/id/settings.po index 14933d3e95..538c4c001b 100644 --- a/l10n/id/settings.po +++ b/l10n/id/settings.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:55+0000\n" "Last-Translator: I Robot \n" "Language-Team: Indonesian (http://www.transifex.com/projects/p/owncloud/language/id/)\n" "MIME-Version: 1.0\n" @@ -273,62 +273,71 @@ msgstr "Izinkan tautan" msgid "Allow users to share items to the public with links" msgstr "Izinkan pengguna untuk berbagi item kepada publik lewat tautan" -#: templates/admin.php:152 +#: templates/admin.php:153 +msgid "Allow public uploads" +msgstr "" + +#: templates/admin.php:154 +msgid "" +"Allow users to enable others to upload into their publicly shared folders" +msgstr "" + +#: templates/admin.php:162 msgid "Allow resharing" msgstr "Izinkan pembagian ulang" -#: templates/admin.php:153 +#: templates/admin.php:163 msgid "Allow users to share items shared with them again" msgstr "Izinkan pengguna untuk berbagi kembali item yang dibagikan kepada mereka." -#: templates/admin.php:160 +#: templates/admin.php:170 msgid "Allow users to share with anyone" msgstr "Izinkan pengguna untuk berbagi kepada siapa saja" -#: templates/admin.php:163 +#: templates/admin.php:173 msgid "Allow users to only share with users in their groups" msgstr "Hanya izinkan pengguna untuk berbagi dengan pengguna pada grup mereka sendiri" -#: templates/admin.php:170 +#: templates/admin.php:180 msgid "Security" msgstr "Keamanan" -#: templates/admin.php:183 +#: templates/admin.php:193 msgid "Enforce HTTPS" msgstr "Selalu Gunakan HTTPS" -#: templates/admin.php:184 +#: templates/admin.php:194 msgid "" "Enforces the clients to connect to ownCloud via an encrypted connection." msgstr "Paksa klien untuk tersambung ke ownCloud lewat koneksi yang dienkripsi." -#: templates/admin.php:187 +#: templates/admin.php:197 msgid "" "Please connect to this ownCloud instance via HTTPS to enable or disable the " "SSL enforcement." msgstr "Silakan sambungkan ke instalasi ownCloud lewat HTTPS untuk mengaktifkan atau menonaktifkan fitur SSL." -#: templates/admin.php:197 +#: templates/admin.php:207 msgid "Log" msgstr "Catat" -#: templates/admin.php:198 +#: templates/admin.php:208 msgid "Log level" msgstr "Level pencatatan" -#: templates/admin.php:229 +#: templates/admin.php:239 msgid "More" msgstr "Lainnya" -#: templates/admin.php:230 +#: templates/admin.php:240 msgid "Less" msgstr "Ciutkan" -#: templates/admin.php:236 templates/personal.php:116 +#: templates/admin.php:246 templates/personal.php:116 msgid "Version" msgstr "Versi" -#: templates/admin.php:240 templates/personal.php:119 +#: templates/admin.php:250 templates/personal.php:119 msgid "" "Developed by the ownCloud community, the access your Files via WebDAV" +msgstr "" #: templates/users.php:21 msgid "Login Name" diff --git a/l10n/id/user_ldap.po b/l10n/id/user_ldap.po index eb02d8be93..f9c1a2036d 100644 --- a/l10n/id/user_ldap.po +++ b/l10n/id/user_ldap.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: I Robot \n" "Language-Team: Indonesian (http://www.transifex.com/projects/p/owncloud/language/id/)\n" "MIME-Version: 1.0\n" diff --git a/l10n/is/core.po b/l10n/is/core.po index 8b8af544e1..51f04cfa89 100644 --- a/l10n/is/core.po +++ b/l10n/is/core.po @@ -8,8 +8,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:12+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:04+0000\n" "Last-Translator: I Robot \n" "Language-Team: Icelandic (http://www.transifex.com/projects/p/owncloud/language/is/)\n" "MIME-Version: 1.0\n" @@ -138,59 +138,59 @@ msgstr "Nóvember" msgid "December" msgstr "Desember" -#: js/js.js:289 +#: js/js.js:293 msgid "Settings" msgstr "Stillingar" -#: js/js.js:721 +#: js/js.js:715 msgid "seconds ago" msgstr "sek." -#: js/js.js:722 +#: js/js.js:716 msgid "1 minute ago" msgstr "Fyrir 1 mínútu" -#: js/js.js:723 +#: js/js.js:717 msgid "{minutes} minutes ago" msgstr "{minutes} min síðan" -#: js/js.js:724 +#: js/js.js:718 msgid "1 hour ago" msgstr "Fyrir 1 klst." -#: js/js.js:725 +#: js/js.js:719 msgid "{hours} hours ago" msgstr "fyrir {hours} klst." -#: js/js.js:726 +#: js/js.js:720 msgid "today" msgstr "í dag" -#: js/js.js:727 +#: js/js.js:721 msgid "yesterday" msgstr "í gær" -#: js/js.js:728 +#: js/js.js:722 msgid "{days} days ago" msgstr "{days} dagar síðan" -#: js/js.js:729 +#: js/js.js:723 msgid "last month" msgstr "síðasta mánuði" -#: js/js.js:730 +#: js/js.js:724 msgid "{months} months ago" msgstr "fyrir {months} mánuðum" -#: js/js.js:731 +#: js/js.js:725 msgid "months ago" msgstr "mánuðir síðan" -#: js/js.js:732 +#: js/js.js:726 msgid "last year" msgstr "síðasta ári" -#: js/js.js:733 +#: js/js.js:727 msgid "years ago" msgstr "einhverjum árum" @@ -226,8 +226,8 @@ msgstr "Tegund ekki tilgreind" #: js/oc-vcategories.js:14 js/oc-vcategories.js:80 js/oc-vcategories.js:95 #: js/oc-vcategories.js:110 js/oc-vcategories.js:125 js/oc-vcategories.js:136 #: js/oc-vcategories.js:172 js/oc-vcategories.js:189 js/oc-vcategories.js:195 -#: js/oc-vcategories.js:199 js/share.js:136 js/share.js:143 js/share.js:618 -#: js/share.js:630 +#: js/oc-vcategories.js:199 js/share.js:136 js/share.js:143 js/share.js:625 +#: js/share.js:637 msgid "Error" msgstr "Villa" @@ -247,7 +247,7 @@ msgstr "Deilt" msgid "Share" msgstr "Deila" -#: js/share.js:125 js/share.js:658 +#: js/share.js:125 js/share.js:665 msgid "Error while sharing" msgstr "Villa við deilingu" @@ -267,114 +267,114 @@ msgstr "Deilt með þér og hópnum {group} af {owner}" msgid "Shared with you by {owner}" msgstr "Deilt með þér af {owner}" -#: js/share.js:172 +#: js/share.js:177 msgid "Share with" msgstr "Deila með" -#: js/share.js:177 +#: js/share.js:182 msgid "Share with link" msgstr "Deila með veftengli" -#: js/share.js:180 +#: js/share.js:185 msgid "Password protect" msgstr "Verja með lykilorði" -#: js/share.js:182 templates/installation.php:54 templates/login.php:26 +#: js/share.js:187 templates/installation.php:54 templates/login.php:26 msgid "Password" msgstr "Lykilorð" -#: js/share.js:186 +#: js/share.js:192 msgid "Allow Public Upload" msgstr "" -#: js/share.js:189 +#: js/share.js:196 msgid "Email link to person" msgstr "Senda vefhlekk í tölvupóstu til notenda" -#: js/share.js:190 +#: js/share.js:197 msgid "Send" msgstr "Senda" -#: js/share.js:195 +#: js/share.js:202 msgid "Set expiration date" msgstr "Setja gildistíma" -#: js/share.js:196 +#: js/share.js:203 msgid "Expiration date" msgstr "Gildir til" -#: js/share.js:228 +#: js/share.js:235 msgid "Share via email:" msgstr "Deila með tölvupósti:" -#: js/share.js:230 +#: js/share.js:237 msgid "No people found" msgstr "Engir notendur fundust" -#: js/share.js:268 +#: js/share.js:275 msgid "Resharing is not allowed" msgstr "Endurdeiling er ekki leyfð" -#: js/share.js:304 +#: js/share.js:311 msgid "Shared in {item} with {user}" msgstr "Deilt með {item} ásamt {user}" -#: js/share.js:325 +#: js/share.js:332 msgid "Unshare" msgstr "Hætta deilingu" -#: js/share.js:337 +#: js/share.js:344 msgid "can edit" msgstr "getur breytt" -#: js/share.js:339 +#: js/share.js:346 msgid "access control" msgstr "aðgangsstýring" -#: js/share.js:342 +#: js/share.js:349 msgid "create" msgstr "mynda" -#: js/share.js:345 +#: js/share.js:352 msgid "update" msgstr "uppfæra" -#: js/share.js:348 +#: js/share.js:355 msgid "delete" msgstr "eyða" -#: js/share.js:351 +#: js/share.js:358 msgid "share" msgstr "deila" -#: js/share.js:385 js/share.js:605 +#: js/share.js:392 js/share.js:612 msgid "Password protected" msgstr "Verja með lykilorði" -#: js/share.js:618 +#: js/share.js:625 msgid "Error unsetting expiration date" msgstr "Villa við að aftengja gildistíma" -#: js/share.js:630 +#: js/share.js:637 msgid "Error setting expiration date" msgstr "Villa við að setja gildistíma" -#: js/share.js:645 +#: js/share.js:652 msgid "Sending ..." msgstr "Sendi ..." -#: js/share.js:656 +#: js/share.js:663 msgid "Email sent" msgstr "Tölvupóstur sendur" -#: js/update.js:14 +#: js/update.js:17 msgid "" "The update was unsuccessful. Please report this issue to the ownCloud " "community." msgstr "" -#: js/update.js:18 +#: js/update.js:21 msgid "The update was successful. Redirecting you to ownCloud now." msgstr "Uppfærslan heppnaðist. Beini þér til ownCloud nú." @@ -466,7 +466,7 @@ msgstr "Aðgangur bannaður" msgid "Cloud not found" msgstr "Ský finnst ekki" -#: templates/altmail.php:2 +#: templates/altmail.php:4 #, php-format msgid "" "Hey there,\n" @@ -477,10 +477,6 @@ msgid "" "Cheers!" msgstr "" -#: templates/altmail.php:7 templates/mail.php:24 -msgid "web services under your control" -msgstr "vefþjónusta undir þinni stjórn" - #: templates/edit_categories_dialog.php:4 msgid "Edit categories" msgstr "Breyta flokkum" @@ -612,7 +608,7 @@ msgstr "Skrá inn" msgid "Alternative Logins" msgstr "" -#: templates/mail.php:15 +#: templates/mail.php:16 #, php-format msgid "" "Hey there,

    just letting you know that %s shared »%s« with you.
    \n" "Language-Team: Icelandic (http://www.transifex.com/projects/p/owncloud/language/is/)\n" "MIME-Version: 1.0\n" @@ -27,54 +27,54 @@ msgstr "Gat ekki fært %s - Skrá með þessu nafni er þegar til" msgid "Could not move %s" msgstr "Gat ekki fært %s" -#: ajax/upload.php:16 ajax/upload.php:39 +#: ajax/upload.php:16 ajax/upload.php:45 msgid "Unable to set upload directory." msgstr "" -#: ajax/upload.php:23 +#: ajax/upload.php:22 msgid "Invalid Token" msgstr "" -#: ajax/upload.php:55 +#: ajax/upload.php:59 msgid "No file was uploaded. Unknown error" msgstr "Engin skrá var send inn. Óþekkt villa." -#: ajax/upload.php:62 +#: ajax/upload.php:66 msgid "There is no error, the file uploaded with success" msgstr "Engin villa, innsending heppnaðist" -#: ajax/upload.php:63 +#: ajax/upload.php:67 msgid "" "The uploaded file exceeds the upload_max_filesize directive in php.ini: " msgstr "Innsend skrá er stærri en upload_max stillingin í php.ini:" -#: ajax/upload.php:65 +#: ajax/upload.php:69 msgid "" "The uploaded file exceeds the MAX_FILE_SIZE directive that was specified in " "the HTML form" msgstr "Innsenda skráin er stærri en MAX_FILE_SIZE sem skilgreint er í HTML sniðinu." -#: ajax/upload.php:66 +#: ajax/upload.php:70 msgid "The uploaded file was only partially uploaded" msgstr "Einungis hluti af innsendri skrá skilaði sér" -#: ajax/upload.php:67 +#: ajax/upload.php:71 msgid "No file was uploaded" msgstr "Engin skrá skilaði sér" -#: ajax/upload.php:68 +#: ajax/upload.php:72 msgid "Missing a temporary folder" msgstr "Vantar bráðabirgðamöppu" -#: ajax/upload.php:69 +#: ajax/upload.php:73 msgid "Failed to write to disk" msgstr "Tókst ekki að skrifa á disk" -#: ajax/upload.php:87 +#: ajax/upload.php:91 msgid "Not enough storage available" msgstr "" -#: ajax/upload.php:119 +#: ajax/upload.php:123 msgid "Invalid directory." msgstr "Ógild mappa." @@ -128,43 +128,43 @@ msgstr "Eyða" msgid "Rename" msgstr "Endurskýra" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:464 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:465 msgid "Pending" msgstr "Bíður" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "{new_name} already exists" msgstr "{new_name} er þegar til" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "replace" msgstr "yfirskrifa" -#: js/filelist.js:302 +#: js/filelist.js:303 msgid "suggest name" msgstr "stinga upp á nafni" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "cancel" msgstr "hætta við" -#: js/filelist.js:349 +#: js/filelist.js:350 msgid "replaced {new_name} with {old_name}" msgstr "yfirskrifaði {new_name} með {old_name}" -#: js/filelist.js:349 +#: js/filelist.js:350 msgid "undo" msgstr "afturkalla" -#: js/filelist.js:374 +#: js/filelist.js:375 msgid "perform delete operation" msgstr "" -#: js/filelist.js:456 +#: js/filelist.js:457 msgid "1 file uploading" msgstr "1 skrá innsend" -#: js/filelist.js:459 js/filelist.js:517 +#: js/filelist.js:460 js/filelist.js:518 msgid "files uploading" msgstr "" @@ -212,19 +212,19 @@ msgstr "Stærð" msgid "Modified" msgstr "Breytt" -#: js/files.js:765 +#: js/files.js:763 msgid "1 folder" msgstr "1 mappa" -#: js/files.js:767 +#: js/files.js:765 msgid "{count} folders" msgstr "{count} möppur" -#: js/files.js:775 +#: js/files.js:773 msgid "1 file" msgstr "1 skrá" -#: js/files.js:777 +#: js/files.js:775 msgid "{count} files" msgstr "{count} skrár" @@ -327,19 +327,19 @@ msgstr "Verið er að skima skrár, vinsamlegast hinkraðu." msgid "Current scanning" msgstr "Er að skima" -#: templates/part.list.php:78 +#: templates/part.list.php:74 msgid "directory" msgstr "" -#: templates/part.list.php:80 +#: templates/part.list.php:76 msgid "directories" msgstr "" -#: templates/part.list.php:89 +#: templates/part.list.php:85 msgid "file" msgstr "" -#: templates/part.list.php:91 +#: templates/part.list.php:87 msgid "files" msgstr "" diff --git a/l10n/is/files_external.po b/l10n/is/files_external.po index 479c1a9b4d..2d436f7d7e 100644 --- a/l10n/is/files_external.po +++ b/l10n/is/files_external.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: I Robot \n" "Language-Team: Icelandic (http://www.transifex.com/projects/p/owncloud/language/is/)\n" "MIME-Version: 1.0\n" @@ -37,20 +37,20 @@ msgstr "Gefðu upp virkan Dropbox lykil og leynikóða" msgid "Error configuring Google Drive storage" msgstr "Villa kom upp við að setja upp Google Drive gagnasvæði" -#: lib/config.php:431 +#: lib/config.php:447 msgid "" "Warning: \"smbclient\" is not installed. Mounting of CIFS/SMB shares " "is not possible. Please ask your system administrator to install it." msgstr "Aðvörun: \"smbclient\" er ekki uppsettur. Uppsetning á CIFS/SMB gagnasvæðum er ekki möguleg. Hafðu samband við kerfisstjóra til að fá hann uppsettan." -#: lib/config.php:434 +#: lib/config.php:450 msgid "" "Warning: The FTP support in PHP is not enabled or installed. Mounting" " of FTP shares is not possible. Please ask your system administrator to " "install it." msgstr "Aðvörun: FTP stuðningur í PHP er ekki virkur. Uppsetning á FTP gagnasvæðum er ekki möguleg. Hafðu samband við kerfisstjóra til að fá hann uppsettan." -#: lib/config.php:437 +#: lib/config.php:453 msgid "" "Warning: The Curl support in PHP is not enabled or installed. " "Mounting of ownCloud / WebDAV or GoogleDrive is not possible. Please ask " diff --git a/l10n/is/files_sharing.po b/l10n/is/files_sharing.po index 2b241cf732..d27d881ebb 100644 --- a/l10n/is/files_sharing.po +++ b/l10n/is/files_sharing.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:13+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: I Robot \n" "Language-Team: Icelandic (http://www.transifex.com/projects/p/owncloud/language/is/)\n" "MIME-Version: 1.0\n" @@ -39,18 +39,18 @@ msgstr "%s deildi möppunni %s með þér" msgid "%s shared the file %s with you" msgstr "%s deildi skránni %s með þér" -#: templates/public.php:28 templates/public.php:86 +#: templates/public.php:28 templates/public.php:90 msgid "Download" msgstr "Niðurhal" -#: templates/public.php:44 +#: templates/public.php:45 templates/public.php:48 msgid "Upload" msgstr "Senda inn" -#: templates/public.php:54 +#: templates/public.php:58 msgid "Cancel upload" msgstr "Hætta við innsendingu" -#: templates/public.php:83 +#: templates/public.php:87 msgid "No preview available for" msgstr "Yfirlit ekki í boði fyrir" diff --git a/l10n/is/files_trashbin.po b/l10n/is/files_trashbin.po index dedcb91b1e..e9aa65df00 100644 --- a/l10n/is/files_trashbin.po +++ b/l10n/is/files_trashbin.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: I Robot \n" "Language-Team: Icelandic (http://www.transifex.com/projects/p/owncloud/language/is/)\n" "MIME-Version: 1.0\n" diff --git a/l10n/is/lib.po b/l10n/is/lib.po index 6dc7349b74..ad927007a6 100644 --- a/l10n/is/lib.po +++ b/l10n/is/lib.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:13+0000\n" +"POT-Creation-Date: 2013-07-24 01:55-0400\n" +"PO-Revision-Date: 2013-07-24 05:55+0000\n" "Last-Translator: I Robot \n" "Language-Team: Icelandic (http://www.transifex.com/projects/p/owncloud/language/is/)\n" "MIME-Version: 1.0\n" @@ -41,27 +41,43 @@ msgstr "Forrit" msgid "Admin" msgstr "Stjórnun" -#: defaults.php:33 -msgid "web services under your control" +#: app.php:844 +#, php-format +msgid "Failed to upgrade \"%s\"." msgstr "" -#: files.php:210 +#: defaults.php:33 +msgid "web services under your control" +msgstr "vefþjónusta undir þinni stjórn" + +#: files.php:66 files.php:98 +#, php-format +msgid "cannot open \"%s\"" +msgstr "" + +#: files.php:226 msgid "ZIP download is turned off." msgstr "Slökkt á ZIP niðurhali." -#: files.php:211 +#: files.php:227 msgid "Files need to be downloaded one by one." msgstr "Skrárnar verður að sækja eina og eina" -#: files.php:212 files.php:245 +#: files.php:228 files.php:256 msgid "Back to Files" msgstr "Aftur í skrár" -#: files.php:242 +#: files.php:253 msgid "Selected files too large to generate zip file." msgstr "Valdar skrár eru of stórar til að búa til ZIP skrá." -#: helper.php:236 +#: files.php:254 +msgid "" +"Download the files in smaller chunks, seperately or kindly ask your " +"administrator." +msgstr "" + +#: helper.php:235 msgid "couldn't be determined" msgstr "" @@ -170,77 +186,81 @@ msgstr "" msgid "PostgreSQL username and/or password not valid" msgstr "" -#: setup.php:42 +#: setup.php:28 msgid "Set an admin username." msgstr "" -#: setup.php:45 +#: setup.php:31 msgid "Set an admin password." msgstr "" -#: setup.php:198 +#: setup.php:184 msgid "" "Your web server is not yet properly setup to allow files synchronization " "because the WebDAV interface seems to be broken." msgstr "" -#: setup.php:199 +#: setup.php:185 #, php-format msgid "Please double check the installation guides." msgstr "" -#: template.php:113 +#: template/functions.php:80 msgid "seconds ago" msgstr "sek." -#: template.php:114 +#: template/functions.php:81 msgid "1 minute ago" msgstr "Fyrir 1 mínútu" -#: template.php:115 +#: template/functions.php:82 #, php-format msgid "%d minutes ago" msgstr "fyrir %d mínútum" -#: template.php:116 +#: template/functions.php:83 msgid "1 hour ago" msgstr "Fyrir 1 klst." -#: template.php:117 +#: template/functions.php:84 #, php-format msgid "%d hours ago" msgstr "fyrir %d klst." -#: template.php:118 +#: template/functions.php:85 msgid "today" msgstr "í dag" -#: template.php:119 +#: template/functions.php:86 msgid "yesterday" msgstr "í gær" -#: template.php:120 +#: template/functions.php:87 #, php-format msgid "%d days ago" msgstr "fyrir %d dögum" -#: template.php:121 +#: template/functions.php:88 msgid "last month" msgstr "síðasta mánuði" -#: template.php:122 +#: template/functions.php:89 #, php-format msgid "%d months ago" msgstr "fyrir %d mánuðum" -#: template.php:123 +#: template/functions.php:90 msgid "last year" msgstr "síðasta ári" -#: template.php:124 +#: template/functions.php:91 msgid "years ago" msgstr "einhverjum árum" +#: template.php:296 +msgid "Caused by:" +msgstr "" + #: vcategories.php:188 vcategories.php:249 #, php-format msgid "Could not find category \"%s\"" diff --git a/l10n/is/settings.po b/l10n/is/settings.po index ca29e7aecd..ecb9283f47 100644 --- a/l10n/is/settings.po +++ b/l10n/is/settings.po @@ -8,8 +8,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:55+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:55+0000\n" "Last-Translator: I Robot \n" "Language-Team: Icelandic (http://www.transifex.com/projects/p/owncloud/language/is/)\n" "MIME-Version: 1.0\n" @@ -274,62 +274,71 @@ msgstr "" msgid "Allow users to share items to the public with links" msgstr "" -#: templates/admin.php:152 +#: templates/admin.php:153 +msgid "Allow public uploads" +msgstr "" + +#: templates/admin.php:154 +msgid "" +"Allow users to enable others to upload into their publicly shared folders" +msgstr "" + +#: templates/admin.php:162 msgid "Allow resharing" msgstr "" -#: templates/admin.php:153 +#: templates/admin.php:163 msgid "Allow users to share items shared with them again" msgstr "" -#: templates/admin.php:160 +#: templates/admin.php:170 msgid "Allow users to share with anyone" msgstr "" -#: templates/admin.php:163 +#: templates/admin.php:173 msgid "Allow users to only share with users in their groups" msgstr "" -#: templates/admin.php:170 +#: templates/admin.php:180 msgid "Security" msgstr "" -#: templates/admin.php:183 +#: templates/admin.php:193 msgid "Enforce HTTPS" msgstr "" -#: templates/admin.php:184 +#: templates/admin.php:194 msgid "" "Enforces the clients to connect to ownCloud via an encrypted connection." msgstr "" -#: templates/admin.php:187 +#: templates/admin.php:197 msgid "" "Please connect to this ownCloud instance via HTTPS to enable or disable the " "SSL enforcement." msgstr "" -#: templates/admin.php:197 +#: templates/admin.php:207 msgid "Log" msgstr "" -#: templates/admin.php:198 +#: templates/admin.php:208 msgid "Log level" msgstr "" -#: templates/admin.php:229 +#: templates/admin.php:239 msgid "More" msgstr "Meira" -#: templates/admin.php:230 +#: templates/admin.php:240 msgid "Less" msgstr "Minna" -#: templates/admin.php:236 templates/personal.php:116 +#: templates/admin.php:246 templates/personal.php:116 msgid "Version" msgstr "Útgáfa" -#: templates/admin.php:240 templates/personal.php:119 +#: templates/admin.php:250 templates/personal.php:119 msgid "" "Developed by the ownCloud community, the access your Files via WebDAV" +msgstr "" #: templates/users.php:21 msgid "Login Name" diff --git a/l10n/is/user_ldap.po b/l10n/is/user_ldap.po index 8dc400a555..61fc6df460 100644 --- a/l10n/is/user_ldap.po +++ b/l10n/is/user_ldap.po @@ -8,8 +8,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: Magnus Magnusson \n" "Language-Team: Icelandic (http://www.transifex.com/projects/p/owncloud/language/is/)\n" "MIME-Version: 1.0\n" diff --git a/l10n/it/core.po b/l10n/it/core.po index 8468e03003..e12241620c 100644 --- a/l10n/it/core.po +++ b/l10n/it/core.po @@ -10,8 +10,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:12+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:04+0000\n" "Last-Translator: Vincenzo Reale \n" "Language-Team: Italian (http://www.transifex.com/projects/p/owncloud/language/it/)\n" "MIME-Version: 1.0\n" @@ -23,7 +23,7 @@ msgstr "" #: ajax/share.php:97 #, php-format msgid "%s shared »%s« with you" -msgstr "%s ha condiviso »%s« con te" +msgstr "%s ha condiviso «%s» con te" #: ajax/vcategories/add.php:26 ajax/vcategories/edit.php:25 msgid "Category type not provided." @@ -140,59 +140,59 @@ msgstr "Novembre" msgid "December" msgstr "Dicembre" -#: js/js.js:289 +#: js/js.js:293 msgid "Settings" msgstr "Impostazioni" -#: js/js.js:721 +#: js/js.js:715 msgid "seconds ago" msgstr "secondi fa" -#: js/js.js:722 +#: js/js.js:716 msgid "1 minute ago" msgstr "Un minuto fa" -#: js/js.js:723 +#: js/js.js:717 msgid "{minutes} minutes ago" msgstr "{minutes} minuti fa" -#: js/js.js:724 +#: js/js.js:718 msgid "1 hour ago" msgstr "1 ora fa" -#: js/js.js:725 +#: js/js.js:719 msgid "{hours} hours ago" msgstr "{hours} ore fa" -#: js/js.js:726 +#: js/js.js:720 msgid "today" msgstr "oggi" -#: js/js.js:727 +#: js/js.js:721 msgid "yesterday" msgstr "ieri" -#: js/js.js:728 +#: js/js.js:722 msgid "{days} days ago" msgstr "{days} giorni fa" -#: js/js.js:729 +#: js/js.js:723 msgid "last month" msgstr "mese scorso" -#: js/js.js:730 +#: js/js.js:724 msgid "{months} months ago" msgstr "{months} mesi fa" -#: js/js.js:731 +#: js/js.js:725 msgid "months ago" msgstr "mesi fa" -#: js/js.js:732 +#: js/js.js:726 msgid "last year" msgstr "anno scorso" -#: js/js.js:733 +#: js/js.js:727 msgid "years ago" msgstr "anni fa" @@ -228,8 +228,8 @@ msgstr "Il tipo di oggetto non è specificato." #: js/oc-vcategories.js:14 js/oc-vcategories.js:80 js/oc-vcategories.js:95 #: js/oc-vcategories.js:110 js/oc-vcategories.js:125 js/oc-vcategories.js:136 #: js/oc-vcategories.js:172 js/oc-vcategories.js:189 js/oc-vcategories.js:195 -#: js/oc-vcategories.js:199 js/share.js:136 js/share.js:143 js/share.js:618 -#: js/share.js:630 +#: js/oc-vcategories.js:199 js/share.js:136 js/share.js:143 js/share.js:625 +#: js/share.js:637 msgid "Error" msgstr "Errore" @@ -249,7 +249,7 @@ msgstr "Condivisi" msgid "Share" msgstr "Condividi" -#: js/share.js:125 js/share.js:658 +#: js/share.js:125 js/share.js:665 msgid "Error while sharing" msgstr "Errore durante la condivisione" @@ -269,114 +269,114 @@ msgstr "Condiviso con te e con il gruppo {group} da {owner}" msgid "Shared with you by {owner}" msgstr "Condiviso con te da {owner}" -#: js/share.js:172 +#: js/share.js:177 msgid "Share with" msgstr "Condividi con" -#: js/share.js:177 +#: js/share.js:182 msgid "Share with link" msgstr "Condividi con collegamento" -#: js/share.js:180 +#: js/share.js:185 msgid "Password protect" msgstr "Proteggi con password" -#: js/share.js:182 templates/installation.php:54 templates/login.php:26 +#: js/share.js:187 templates/installation.php:54 templates/login.php:26 msgid "Password" msgstr "Password" -#: js/share.js:186 +#: js/share.js:192 msgid "Allow Public Upload" msgstr "Consenti caricamento pubblico" -#: js/share.js:189 +#: js/share.js:196 msgid "Email link to person" msgstr "Invia collegamento via email" -#: js/share.js:190 +#: js/share.js:197 msgid "Send" msgstr "Invia" -#: js/share.js:195 +#: js/share.js:202 msgid "Set expiration date" msgstr "Imposta data di scadenza" -#: js/share.js:196 +#: js/share.js:203 msgid "Expiration date" msgstr "Data di scadenza" -#: js/share.js:228 +#: js/share.js:235 msgid "Share via email:" msgstr "Condividi tramite email:" -#: js/share.js:230 +#: js/share.js:237 msgid "No people found" msgstr "Non sono state trovate altre persone" -#: js/share.js:268 +#: js/share.js:275 msgid "Resharing is not allowed" msgstr "La ri-condivisione non è consentita" -#: js/share.js:304 +#: js/share.js:311 msgid "Shared in {item} with {user}" msgstr "Condiviso in {item} con {user}" -#: js/share.js:325 +#: js/share.js:332 msgid "Unshare" msgstr "Rimuovi condivisione" -#: js/share.js:337 +#: js/share.js:344 msgid "can edit" msgstr "può modificare" -#: js/share.js:339 +#: js/share.js:346 msgid "access control" msgstr "controllo d'accesso" -#: js/share.js:342 +#: js/share.js:349 msgid "create" msgstr "creare" -#: js/share.js:345 +#: js/share.js:352 msgid "update" msgstr "aggiornare" -#: js/share.js:348 +#: js/share.js:355 msgid "delete" msgstr "elimina" -#: js/share.js:351 +#: js/share.js:358 msgid "share" msgstr "condividi" -#: js/share.js:385 js/share.js:605 +#: js/share.js:392 js/share.js:612 msgid "Password protected" msgstr "Protetta da password" -#: js/share.js:618 +#: js/share.js:625 msgid "Error unsetting expiration date" msgstr "Errore durante la rimozione della data di scadenza" -#: js/share.js:630 +#: js/share.js:637 msgid "Error setting expiration date" msgstr "Errore durante l'impostazione della data di scadenza" -#: js/share.js:645 +#: js/share.js:652 msgid "Sending ..." msgstr "Invio in corso..." -#: js/share.js:656 +#: js/share.js:663 msgid "Email sent" msgstr "Messaggio inviato" -#: js/update.js:14 +#: js/update.js:17 msgid "" "The update was unsuccessful. Please report this issue to the ownCloud " "community." msgstr "L'aggiornamento non è riuscito. Segnala il problema alla comunità di ownCloud." -#: js/update.js:18 +#: js/update.js:21 msgid "The update was successful. Redirecting you to ownCloud now." msgstr "L'aggiornamento è stato effettuato correttamente. Stai per essere reindirizzato a ownCloud." @@ -468,7 +468,7 @@ msgstr "Accesso negato" msgid "Cloud not found" msgstr "Nuvola non trovata" -#: templates/altmail.php:2 +#: templates/altmail.php:4 #, php-format msgid "" "Hey there,\n" @@ -479,10 +479,6 @@ msgid "" "Cheers!" msgstr "Ehilà,\n\nvolevo solamente farti sapere che %s ha condiviso %s con te.\nGuarda: %s\n\nSaluti!" -#: templates/altmail.php:7 templates/mail.php:24 -msgid "web services under your control" -msgstr "servizi web nelle tue mani" - #: templates/edit_categories_dialog.php:4 msgid "Edit categories" msgstr "Modifica categorie" @@ -614,12 +610,12 @@ msgstr "Accedi" msgid "Alternative Logins" msgstr "Accessi alternativi" -#: templates/mail.php:15 +#: templates/mail.php:16 #, php-format msgid "" "Hey there,

    just letting you know that %s shared »%s« with you.
    View it!

    Cheers!" -msgstr "Ehilà,

    volevo solamente farti sapere che %s ha condiviso »%s« con te.
    Guarda!

    Saluti!" +msgstr "Ehilà,

    volevo solamente farti sapere che %s ha condiviso «%s» con te.
    Guarda!

    Saluti!" #: templates/part.pagenavi.php:3 msgid "prev" diff --git a/l10n/it/files.po b/l10n/it/files.po index b6a6f13cb0..2622309948 100644 --- a/l10n/it/files.po +++ b/l10n/it/files.po @@ -9,9 +9,9 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:12+0200\n" -"PO-Revision-Date: 2013-07-05 00:00+0000\n" -"Last-Translator: Vincenzo Reale \n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:04+0000\n" +"Last-Translator: I Robot \n" "Language-Team: Italian (http://www.transifex.com/projects/p/owncloud/language/it/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -29,54 +29,54 @@ msgstr "Impossibile spostare %s - un file con questo nome esiste già" msgid "Could not move %s" msgstr "Impossibile spostare %s" -#: ajax/upload.php:16 ajax/upload.php:39 +#: ajax/upload.php:16 ajax/upload.php:45 msgid "Unable to set upload directory." msgstr "Impossibile impostare una cartella di caricamento." -#: ajax/upload.php:23 +#: ajax/upload.php:22 msgid "Invalid Token" msgstr "Token non valido" -#: ajax/upload.php:55 +#: ajax/upload.php:59 msgid "No file was uploaded. Unknown error" msgstr "Nessun file è stato inviato. Errore sconosciuto" -#: ajax/upload.php:62 +#: ajax/upload.php:66 msgid "There is no error, the file uploaded with success" msgstr "Non ci sono errori, il file è stato caricato correttamente" -#: ajax/upload.php:63 +#: ajax/upload.php:67 msgid "" "The uploaded file exceeds the upload_max_filesize directive in php.ini: " msgstr "Il file caricato supera la direttiva upload_max_filesize in php.ini:" -#: ajax/upload.php:65 +#: ajax/upload.php:69 msgid "" "The uploaded file exceeds the MAX_FILE_SIZE directive that was specified in " "the HTML form" msgstr "Il file inviato supera la direttiva MAX_FILE_SIZE specificata nel modulo HTML" -#: ajax/upload.php:66 +#: ajax/upload.php:70 msgid "The uploaded file was only partially uploaded" msgstr "Il file è stato caricato solo parzialmente" -#: ajax/upload.php:67 +#: ajax/upload.php:71 msgid "No file was uploaded" msgstr "Nessun file è stato caricato" -#: ajax/upload.php:68 +#: ajax/upload.php:72 msgid "Missing a temporary folder" msgstr "Manca una cartella temporanea" -#: ajax/upload.php:69 +#: ajax/upload.php:73 msgid "Failed to write to disk" msgstr "Scrittura su disco non riuscita" -#: ajax/upload.php:87 +#: ajax/upload.php:91 msgid "Not enough storage available" msgstr "Spazio di archiviazione insufficiente" -#: ajax/upload.php:119 +#: ajax/upload.php:123 msgid "Invalid directory." msgstr "Cartella non valida." @@ -130,43 +130,43 @@ msgstr "Elimina" msgid "Rename" msgstr "Rinomina" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:464 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:465 msgid "Pending" msgstr "In corso" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "{new_name} already exists" msgstr "{new_name} esiste già" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "replace" msgstr "sostituisci" -#: js/filelist.js:302 +#: js/filelist.js:303 msgid "suggest name" msgstr "suggerisci nome" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "cancel" msgstr "annulla" -#: js/filelist.js:349 +#: js/filelist.js:350 msgid "replaced {new_name} with {old_name}" msgstr "sostituito {new_name} con {old_name}" -#: js/filelist.js:349 +#: js/filelist.js:350 msgid "undo" msgstr "annulla" -#: js/filelist.js:374 +#: js/filelist.js:375 msgid "perform delete operation" msgstr "esegui l'operazione di eliminazione" -#: js/filelist.js:456 +#: js/filelist.js:457 msgid "1 file uploading" msgstr "1 file in fase di caricamento" -#: js/filelist.js:459 js/filelist.js:517 +#: js/filelist.js:460 js/filelist.js:518 msgid "files uploading" msgstr "caricamento file" @@ -214,19 +214,19 @@ msgstr "Dimensione" msgid "Modified" msgstr "Modificato" -#: js/files.js:765 +#: js/files.js:763 msgid "1 folder" msgstr "1 cartella" -#: js/files.js:767 +#: js/files.js:765 msgid "{count} folders" msgstr "{count} cartelle" -#: js/files.js:775 +#: js/files.js:773 msgid "1 file" msgstr "1 file" -#: js/files.js:777 +#: js/files.js:775 msgid "{count} files" msgstr "{count} file" @@ -329,19 +329,19 @@ msgstr "Scansione dei file in corso, attendi" msgid "Current scanning" msgstr "Scansione corrente" -#: templates/part.list.php:78 +#: templates/part.list.php:74 msgid "directory" msgstr "cartella" -#: templates/part.list.php:80 +#: templates/part.list.php:76 msgid "directories" msgstr "cartelle" -#: templates/part.list.php:89 +#: templates/part.list.php:85 msgid "file" msgstr "file" -#: templates/part.list.php:91 +#: templates/part.list.php:87 msgid "files" msgstr "file" diff --git a/l10n/it/files_encryption.po b/l10n/it/files_encryption.po index 0c1b972a0f..9e43d8c52d 100644 --- a/l10n/it/files_encryption.po +++ b/l10n/it/files_encryption.po @@ -10,9 +10,9 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:12+0200\n" -"PO-Revision-Date: 2013-07-05 00:13+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-07-09 02:03+0200\n" +"PO-Revision-Date: 2013-07-08 13:30+0000\n" +"Last-Translator: Vincenzo Reale \n" "Language-Team: Italian (http://www.transifex.com/projects/p/owncloud/language/it/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -66,14 +66,14 @@ msgstr "La chiave privata non è valida! Forse la password è stata cambiata est #: hooks/hooks.php:44 msgid "Missing requirements." -msgstr "" +msgstr "Requisiti mancanti." #: hooks/hooks.php:45 msgid "" "Please make sure that PHP 5.3.3 or newer is installed and that the OpenSSL " "PHP extension is enabled and configured properly. For now, the encryption " "app has been disabled." -msgstr "" +msgstr "Assicurati che sia installato PHP 5.3.3 o versioni successive e che l'estensione OpenSSL di PHP sia abilitata e configurata correttamente. Per ora, l'applicazione di cifratura è disabilitata." #: js/settings-admin.js:11 msgid "Saving..." diff --git a/l10n/it/files_external.po b/l10n/it/files_external.po index 5ef791c24c..0e408fb028 100644 --- a/l10n/it/files_external.po +++ b/l10n/it/files_external.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: Vincenzo Reale \n" "Language-Team: Italian (http://www.transifex.com/projects/p/owncloud/language/it/)\n" "MIME-Version: 1.0\n" @@ -37,20 +37,20 @@ msgstr "Fornisci chiave di applicazione e segreto di Dropbox validi." msgid "Error configuring Google Drive storage" msgstr "Errore durante la configurazione dell'archivio Google Drive" -#: lib/config.php:431 +#: lib/config.php:447 msgid "" "Warning: \"smbclient\" is not installed. Mounting of CIFS/SMB shares " "is not possible. Please ask your system administrator to install it." msgstr "Avviso: \"smbclient\" non è installato. Impossibile montare condivisioni CIFS/SMB. Chiedi all'amministratore di sistema di installarlo." -#: lib/config.php:434 +#: lib/config.php:450 msgid "" "Warning: The FTP support in PHP is not enabled or installed. Mounting" " of FTP shares is not possible. Please ask your system administrator to " "install it." msgstr "Avviso: il supporto FTP di PHP non è abilitato o non è installato. Impossibile montare condivisioni FTP. Chiedi all'amministratore di sistema di installarlo." -#: lib/config.php:437 +#: lib/config.php:453 msgid "" "Warning: The Curl support in PHP is not enabled or installed. " "Mounting of ownCloud / WebDAV or GoogleDrive is not possible. Please ask " diff --git a/l10n/it/files_sharing.po b/l10n/it/files_sharing.po index 7583327697..5f93f56ae9 100644 --- a/l10n/it/files_sharing.po +++ b/l10n/it/files_sharing.po @@ -3,14 +3,15 @@ # This file is distributed under the same license as the PACKAGE package. # # Translators: +# polxmod , 2013 # Vincenzo Reale , 2013 msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:13+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" +"Last-Translator: Vincenzo Reale \n" "Language-Team: Italian (http://www.transifex.com/projects/p/owncloud/language/it/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -20,7 +21,7 @@ msgstr "" #: templates/authenticate.php:4 msgid "The password is wrong. Try again." -msgstr "" +msgstr "La password è errata. Prova ancora." #: templates/authenticate.php:7 msgid "Password" @@ -40,18 +41,18 @@ msgstr "%s ha condiviso la cartella %s con te" msgid "%s shared the file %s with you" msgstr "%s ha condiviso il file %s con te" -#: templates/public.php:28 templates/public.php:86 +#: templates/public.php:28 templates/public.php:90 msgid "Download" msgstr "Scarica" -#: templates/public.php:44 +#: templates/public.php:45 templates/public.php:48 msgid "Upload" msgstr "Carica" -#: templates/public.php:54 +#: templates/public.php:58 msgid "Cancel upload" msgstr "Annulla il caricamento" -#: templates/public.php:83 +#: templates/public.php:87 msgid "No preview available for" msgstr "Nessuna anteprima disponibile per" diff --git a/l10n/it/files_trashbin.po b/l10n/it/files_trashbin.po index 2c97b399f6..dab46389c4 100644 --- a/l10n/it/files_trashbin.po +++ b/l10n/it/files_trashbin.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: Vincenzo Reale \n" "Language-Team: Italian (http://www.transifex.com/projects/p/owncloud/language/it/)\n" "MIME-Version: 1.0\n" diff --git a/l10n/it/lib.po b/l10n/it/lib.po index c9aa8d1344..366d47f789 100644 --- a/l10n/it/lib.po +++ b/l10n/it/lib.po @@ -8,8 +8,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:13+0000\n" +"POT-Creation-Date: 2013-07-24 01:55-0400\n" +"PO-Revision-Date: 2013-07-24 05:55+0000\n" "Last-Translator: I Robot \n" "Language-Team: Italian (http://www.transifex.com/projects/p/owncloud/language/it/)\n" "MIME-Version: 1.0\n" @@ -42,27 +42,43 @@ msgstr "Applicazioni" msgid "Admin" msgstr "Admin" -#: defaults.php:33 -msgid "web services under your control" +#: app.php:844 +#, php-format +msgid "Failed to upgrade \"%s\"." msgstr "" -#: files.php:210 +#: defaults.php:33 +msgid "web services under your control" +msgstr "servizi web nelle tue mani" + +#: files.php:66 files.php:98 +#, php-format +msgid "cannot open \"%s\"" +msgstr "" + +#: files.php:226 msgid "ZIP download is turned off." msgstr "Lo scaricamento in formato ZIP è stato disabilitato." -#: files.php:211 +#: files.php:227 msgid "Files need to be downloaded one by one." msgstr "I file devono essere scaricati uno alla volta." -#: files.php:212 files.php:245 +#: files.php:228 files.php:256 msgid "Back to Files" msgstr "Torna ai file" -#: files.php:242 +#: files.php:253 msgid "Selected files too large to generate zip file." msgstr "I file selezionati sono troppo grandi per generare un file zip." -#: helper.php:236 +#: files.php:254 +msgid "" +"Download the files in smaller chunks, seperately or kindly ask your " +"administrator." +msgstr "" + +#: helper.php:235 msgid "couldn't be determined" msgstr "non può essere determinato" @@ -171,77 +187,81 @@ msgstr "Il comando non consentito era: \"%s\", nome: %s, password: %s" msgid "PostgreSQL username and/or password not valid" msgstr "Nome utente e/o password di PostgreSQL non validi" -#: setup.php:42 +#: setup.php:28 msgid "Set an admin username." msgstr "Imposta un nome utente di amministrazione." -#: setup.php:45 +#: setup.php:31 msgid "Set an admin password." msgstr "Imposta una password di amministrazione." -#: setup.php:198 +#: setup.php:184 msgid "" "Your web server is not yet properly setup to allow files synchronization " "because the WebDAV interface seems to be broken." msgstr "Il tuo server web non è configurato correttamente per consentire la sincronizzazione dei file poiché l'interfaccia WebDAV sembra essere danneggiata." -#: setup.php:199 +#: setup.php:185 #, php-format msgid "Please double check the installation guides." msgstr "Leggi attentamente le guide d'installazione." -#: template.php:113 +#: template/functions.php:80 msgid "seconds ago" msgstr "secondi fa" -#: template.php:114 +#: template/functions.php:81 msgid "1 minute ago" msgstr "Un minuto fa" -#: template.php:115 +#: template/functions.php:82 #, php-format msgid "%d minutes ago" msgstr "%d minuti fa" -#: template.php:116 +#: template/functions.php:83 msgid "1 hour ago" msgstr "1 ora fa" -#: template.php:117 +#: template/functions.php:84 #, php-format msgid "%d hours ago" msgstr "%d ore fa" -#: template.php:118 +#: template/functions.php:85 msgid "today" msgstr "oggi" -#: template.php:119 +#: template/functions.php:86 msgid "yesterday" msgstr "ieri" -#: template.php:120 +#: template/functions.php:87 #, php-format msgid "%d days ago" msgstr "%d giorni fa" -#: template.php:121 +#: template/functions.php:88 msgid "last month" msgstr "mese scorso" -#: template.php:122 +#: template/functions.php:89 #, php-format msgid "%d months ago" msgstr "%d mesi fa" -#: template.php:123 +#: template/functions.php:90 msgid "last year" msgstr "anno scorso" -#: template.php:124 +#: template/functions.php:91 msgid "years ago" msgstr "anni fa" +#: template.php:296 +msgid "Caused by:" +msgstr "" + #: vcategories.php:188 vcategories.php:249 #, php-format msgid "Could not find category \"%s\"" diff --git a/l10n/it/settings.po b/l10n/it/settings.po index 45ffe0cf8c..58fa949610 100644 --- a/l10n/it/settings.po +++ b/l10n/it/settings.po @@ -4,13 +4,14 @@ # # Translators: # Francesco Apruzzese , 2013 +# idetao , 2013 # Vincenzo Reale , 2013 msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-24 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 08:20+0000\n" "Last-Translator: Vincenzo Reale \n" "Language-Team: Italian (http://www.transifex.com/projects/p/owncloud/language/it/)\n" "MIME-Version: 1.0\n" @@ -275,62 +276,71 @@ msgstr "Consenti collegamenti" msgid "Allow users to share items to the public with links" msgstr "Consenti agli utenti di condividere pubblicamente elementi tramite collegamenti" -#: templates/admin.php:152 +#: templates/admin.php:153 +msgid "Allow public uploads" +msgstr "Consenti caricamenti pubblici" + +#: templates/admin.php:154 +msgid "" +"Allow users to enable others to upload into their publicly shared folders" +msgstr "Consenti agli utenti di abilitare altri al caricamento nelle loro cartelle pubbliche condivise" + +#: templates/admin.php:162 msgid "Allow resharing" msgstr "Consenti la ri-condivisione" -#: templates/admin.php:153 +#: templates/admin.php:163 msgid "Allow users to share items shared with them again" msgstr "Consenti agli utenti di condividere a loro volta elementi condivisi da altri" -#: templates/admin.php:160 +#: templates/admin.php:170 msgid "Allow users to share with anyone" msgstr "Consenti agli utenti di condividere con chiunque" -#: templates/admin.php:163 +#: templates/admin.php:173 msgid "Allow users to only share with users in their groups" msgstr "Consenti agli utenti di condividere solo con utenti dei loro gruppi" -#: templates/admin.php:170 +#: templates/admin.php:180 msgid "Security" msgstr "Protezione" -#: templates/admin.php:183 +#: templates/admin.php:193 msgid "Enforce HTTPS" msgstr "Forza HTTPS" -#: templates/admin.php:184 +#: templates/admin.php:194 msgid "" "Enforces the clients to connect to ownCloud via an encrypted connection." msgstr "Obbliga i client a connettersi a ownCloud tramite una confessione cifrata." -#: templates/admin.php:187 +#: templates/admin.php:197 msgid "" "Please connect to this ownCloud instance via HTTPS to enable or disable the " "SSL enforcement." msgstr "Connettiti a questa istanza di ownCloud tramite HTTPS per abilitare o disabilitare la protezione SSL." -#: templates/admin.php:197 +#: templates/admin.php:207 msgid "Log" msgstr "Log" -#: templates/admin.php:198 +#: templates/admin.php:208 msgid "Log level" msgstr "Livello di log" -#: templates/admin.php:229 +#: templates/admin.php:239 msgid "More" msgstr "Altro" -#: templates/admin.php:230 +#: templates/admin.php:240 msgid "Less" msgstr "Meno" -#: templates/admin.php:236 templates/personal.php:116 +#: templates/admin.php:246 templates/personal.php:116 msgid "Version" msgstr "Versione" -#: templates/admin.php:240 templates/personal.php:119 +#: templates/admin.php:250 templates/personal.php:119 msgid "" "Developed by the ownCloud community, the access your Files via WebDAV" +msgstr "Utilizza questo indirizzo per accedere ai tuoi file via WebDAV" #: templates/users.php:21 msgid "Login Name" diff --git a/l10n/it/user_ldap.po b/l10n/it/user_ldap.po index cd4b84d677..449ace262c 100644 --- a/l10n/it/user_ldap.po +++ b/l10n/it/user_ldap.po @@ -8,8 +8,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: Vincenzo Reale \n" "Language-Team: Italian (http://www.transifex.com/projects/p/owncloud/language/it/)\n" "MIME-Version: 1.0\n" diff --git a/l10n/ja_JP/core.po b/l10n/ja_JP/core.po index 4fa5512a6a..16354864ca 100644 --- a/l10n/ja_JP/core.po +++ b/l10n/ja_JP/core.po @@ -9,8 +9,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:12+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:04+0000\n" "Last-Translator: Daisuke Deguchi \n" "Language-Team: Japanese (Japan) (http://www.transifex.com/projects/p/owncloud/language/ja_JP/)\n" "MIME-Version: 1.0\n" @@ -139,59 +139,59 @@ msgstr "11月" msgid "December" msgstr "12月" -#: js/js.js:289 +#: js/js.js:293 msgid "Settings" msgstr "設定" -#: js/js.js:721 +#: js/js.js:715 msgid "seconds ago" msgstr "数秒前" -#: js/js.js:722 +#: js/js.js:716 msgid "1 minute ago" msgstr "1 分前" -#: js/js.js:723 +#: js/js.js:717 msgid "{minutes} minutes ago" msgstr "{minutes} 分前" -#: js/js.js:724 +#: js/js.js:718 msgid "1 hour ago" msgstr "1 時間前" -#: js/js.js:725 +#: js/js.js:719 msgid "{hours} hours ago" msgstr "{hours} 時間前" -#: js/js.js:726 +#: js/js.js:720 msgid "today" msgstr "今日" -#: js/js.js:727 +#: js/js.js:721 msgid "yesterday" msgstr "昨日" -#: js/js.js:728 +#: js/js.js:722 msgid "{days} days ago" msgstr "{days} 日前" -#: js/js.js:729 +#: js/js.js:723 msgid "last month" msgstr "一月前" -#: js/js.js:730 +#: js/js.js:724 msgid "{months} months ago" msgstr "{months} 月前" -#: js/js.js:731 +#: js/js.js:725 msgid "months ago" msgstr "月前" -#: js/js.js:732 +#: js/js.js:726 msgid "last year" msgstr "一年前" -#: js/js.js:733 +#: js/js.js:727 msgid "years ago" msgstr "年前" @@ -227,8 +227,8 @@ msgstr "オブジェクタイプが指定されていません。" #: js/oc-vcategories.js:14 js/oc-vcategories.js:80 js/oc-vcategories.js:95 #: js/oc-vcategories.js:110 js/oc-vcategories.js:125 js/oc-vcategories.js:136 #: js/oc-vcategories.js:172 js/oc-vcategories.js:189 js/oc-vcategories.js:195 -#: js/oc-vcategories.js:199 js/share.js:136 js/share.js:143 js/share.js:618 -#: js/share.js:630 +#: js/oc-vcategories.js:199 js/share.js:136 js/share.js:143 js/share.js:625 +#: js/share.js:637 msgid "Error" msgstr "エラー" @@ -248,7 +248,7 @@ msgstr "共有中" msgid "Share" msgstr "共有" -#: js/share.js:125 js/share.js:658 +#: js/share.js:125 js/share.js:665 msgid "Error while sharing" msgstr "共有でエラー発生" @@ -268,114 +268,114 @@ msgstr "あなたと {owner} のグループ {group} で共有中" msgid "Shared with you by {owner}" msgstr "{owner} と共有中" -#: js/share.js:172 +#: js/share.js:177 msgid "Share with" msgstr "共有者" -#: js/share.js:177 +#: js/share.js:182 msgid "Share with link" msgstr "URLリンクで共有" -#: js/share.js:180 +#: js/share.js:185 msgid "Password protect" msgstr "パスワード保護" -#: js/share.js:182 templates/installation.php:54 templates/login.php:26 +#: js/share.js:187 templates/installation.php:54 templates/login.php:26 msgid "Password" msgstr "パスワード" -#: js/share.js:186 +#: js/share.js:192 msgid "Allow Public Upload" -msgstr "パブリックなアップロードを許可" +msgstr "アップロードを許可" -#: js/share.js:189 +#: js/share.js:196 msgid "Email link to person" msgstr "メールリンク" -#: js/share.js:190 +#: js/share.js:197 msgid "Send" msgstr "送信" -#: js/share.js:195 +#: js/share.js:202 msgid "Set expiration date" msgstr "有効期限を設定" -#: js/share.js:196 +#: js/share.js:203 msgid "Expiration date" msgstr "有効期限" -#: js/share.js:228 +#: js/share.js:235 msgid "Share via email:" msgstr "メール経由で共有:" -#: js/share.js:230 +#: js/share.js:237 msgid "No people found" msgstr "ユーザーが見つかりません" -#: js/share.js:268 +#: js/share.js:275 msgid "Resharing is not allowed" msgstr "再共有は許可されていません" -#: js/share.js:304 +#: js/share.js:311 msgid "Shared in {item} with {user}" msgstr "{item} 内で {user} と共有中" -#: js/share.js:325 +#: js/share.js:332 msgid "Unshare" msgstr "共有解除" -#: js/share.js:337 +#: js/share.js:344 msgid "can edit" msgstr "編集可能" -#: js/share.js:339 +#: js/share.js:346 msgid "access control" msgstr "アクセス権限" -#: js/share.js:342 +#: js/share.js:349 msgid "create" msgstr "作成" -#: js/share.js:345 +#: js/share.js:352 msgid "update" msgstr "更新" -#: js/share.js:348 +#: js/share.js:355 msgid "delete" msgstr "削除" -#: js/share.js:351 +#: js/share.js:358 msgid "share" msgstr "共有" -#: js/share.js:385 js/share.js:605 +#: js/share.js:392 js/share.js:612 msgid "Password protected" msgstr "パスワード保護" -#: js/share.js:618 +#: js/share.js:625 msgid "Error unsetting expiration date" msgstr "有効期限の未設定エラー" -#: js/share.js:630 +#: js/share.js:637 msgid "Error setting expiration date" msgstr "有効期限の設定でエラー発生" -#: js/share.js:645 +#: js/share.js:652 msgid "Sending ..." msgstr "送信中..." -#: js/share.js:656 +#: js/share.js:663 msgid "Email sent" msgstr "メールを送信しました" -#: js/update.js:14 +#: js/update.js:17 msgid "" "The update was unsuccessful. Please report this issue to the ownCloud " "community." msgstr "更新に成功しました。この問題を ownCloud community にレポートしてください。" -#: js/update.js:18 +#: js/update.js:21 msgid "The update was successful. Redirecting you to ownCloud now." msgstr "更新に成功しました。今すぐownCloudにリダイレクトします。" @@ -467,7 +467,7 @@ msgstr "アクセスが禁止されています" msgid "Cloud not found" msgstr "見つかりません" -#: templates/altmail.php:2 +#: templates/altmail.php:4 #, php-format msgid "" "Hey there,\n" @@ -478,10 +478,6 @@ msgid "" "Cheers!" msgstr "こんにちは、\n\n%s があなたと %s を共有したことをお知らせします。\nそれを表示: %s\n\nそれでは。" -#: templates/altmail.php:7 templates/mail.php:24 -msgid "web services under your control" -msgstr "管理下のウェブサービス" - #: templates/edit_categories_dialog.php:4 msgid "Edit categories" msgstr "カテゴリを編集" @@ -613,7 +609,7 @@ msgstr "ログイン" msgid "Alternative Logins" msgstr "代替ログイン" -#: templates/mail.php:15 +#: templates/mail.php:16 #, php-format msgid "" "Hey there,

    just letting you know that %s shared »%s« with you.
    , 2013 # plazmism , 2013 +# pabook , 2013 +# tt yn , 2013 msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:12+0200\n" -"PO-Revision-Date: 2013-07-04 07:55+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:04+0000\n" "Last-Translator: I Robot \n" "Language-Team: Japanese (Japan) (http://www.transifex.com/projects/p/owncloud/language/ja_JP/)\n" "MIME-Version: 1.0\n" @@ -29,54 +31,54 @@ msgstr "%s を移動できませんでした ― この名前のファイルは msgid "Could not move %s" msgstr "%s を移動できませんでした" -#: ajax/upload.php:16 ajax/upload.php:39 +#: ajax/upload.php:16 ajax/upload.php:45 msgid "Unable to set upload directory." msgstr "アップロードディレクトリを設定出来ません。" -#: ajax/upload.php:23 +#: ajax/upload.php:22 msgid "Invalid Token" msgstr "無効なトークン" -#: ajax/upload.php:55 +#: ajax/upload.php:59 msgid "No file was uploaded. Unknown error" msgstr "ファイルは何もアップロードされていません。不明なエラー" -#: ajax/upload.php:62 +#: ajax/upload.php:66 msgid "There is no error, the file uploaded with success" msgstr "エラーはありません。ファイルのアップロードは成功しました" -#: ajax/upload.php:63 +#: ajax/upload.php:67 msgid "" "The uploaded file exceeds the upload_max_filesize directive in php.ini: " msgstr "アップロードされたファイルはphp.ini の upload_max_filesize に設定されたサイズを超えています:" -#: ajax/upload.php:65 +#: ajax/upload.php:69 msgid "" "The uploaded file exceeds the MAX_FILE_SIZE directive that was specified in " "the HTML form" msgstr "アップロードファイルはHTMLフォームで指定された MAX_FILE_SIZE の制限を超えています" -#: ajax/upload.php:66 +#: ajax/upload.php:70 msgid "The uploaded file was only partially uploaded" msgstr "アップロードファイルは一部分だけアップロードされました" -#: ajax/upload.php:67 +#: ajax/upload.php:71 msgid "No file was uploaded" msgstr "ファイルはアップロードされませんでした" -#: ajax/upload.php:68 +#: ajax/upload.php:72 msgid "Missing a temporary folder" msgstr "一時保存フォルダが見つかりません" -#: ajax/upload.php:69 +#: ajax/upload.php:73 msgid "Failed to write to disk" msgstr "ディスクへの書き込みに失敗しました" -#: ajax/upload.php:87 +#: ajax/upload.php:91 msgid "Not enough storage available" msgstr "ストレージに十分な空き容量がありません" -#: ajax/upload.php:119 +#: ajax/upload.php:123 msgid "Invalid directory." msgstr "無効なディレクトリです。" @@ -130,43 +132,43 @@ msgstr "削除" msgid "Rename" msgstr "名前の変更" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:464 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:465 msgid "Pending" msgstr "中断" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "{new_name} already exists" msgstr "{new_name} はすでに存在しています" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "replace" msgstr "置き換え" -#: js/filelist.js:302 +#: js/filelist.js:303 msgid "suggest name" msgstr "推奨名称" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "cancel" msgstr "キャンセル" -#: js/filelist.js:349 +#: js/filelist.js:350 msgid "replaced {new_name} with {old_name}" msgstr "{old_name} を {new_name} に置換" -#: js/filelist.js:349 +#: js/filelist.js:350 msgid "undo" msgstr "元に戻す" -#: js/filelist.js:374 +#: js/filelist.js:375 msgid "perform delete operation" msgstr "削除を実行" -#: js/filelist.js:456 +#: js/filelist.js:457 msgid "1 file uploading" msgstr "ファイルを1つアップロード中" -#: js/filelist.js:459 js/filelist.js:517 +#: js/filelist.js:460 js/filelist.js:518 msgid "files uploading" msgstr "ファイルをアップロード中" @@ -214,19 +216,19 @@ msgstr "サイズ" msgid "Modified" msgstr "変更" -#: js/files.js:765 +#: js/files.js:763 msgid "1 folder" msgstr "1 フォルダ" -#: js/files.js:767 +#: js/files.js:765 msgid "{count} folders" msgstr "{count} フォルダ" -#: js/files.js:775 +#: js/files.js:773 msgid "1 file" msgstr "1 ファイル" -#: js/files.js:777 +#: js/files.js:775 msgid "{count} files" msgstr "{count} ファイル" @@ -329,19 +331,19 @@ msgstr "ファイルをスキャンしています、しばらくお待ちくだ msgid "Current scanning" msgstr "スキャン中" -#: templates/part.list.php:78 +#: templates/part.list.php:74 msgid "directory" -msgstr "" +msgstr "ディレクトリ" -#: templates/part.list.php:80 +#: templates/part.list.php:76 msgid "directories" -msgstr "" +msgstr "ディレクトリ" -#: templates/part.list.php:89 +#: templates/part.list.php:85 msgid "file" msgstr "ファイル" -#: templates/part.list.php:91 +#: templates/part.list.php:87 msgid "files" msgstr "ファイル" diff --git a/l10n/ja_JP/files_encryption.po b/l10n/ja_JP/files_encryption.po index 5d409f27d3..1697707c7f 100644 --- a/l10n/ja_JP/files_encryption.po +++ b/l10n/ja_JP/files_encryption.po @@ -10,9 +10,9 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:12+0200\n" -"PO-Revision-Date: 2013-07-05 00:13+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-07-07 01:58+0200\n" +"PO-Revision-Date: 2013-07-06 01:30+0000\n" +"Last-Translator: tt yn \n" "Language-Team: Japanese (Japan) (http://www.transifex.com/projects/p/owncloud/language/ja_JP/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -66,14 +66,14 @@ msgstr "秘密鍵が有効ではありません。パスワードがownCloudシ #: hooks/hooks.php:44 msgid "Missing requirements." -msgstr "" +msgstr "必要要件が満たされていません。" #: hooks/hooks.php:45 msgid "" "Please make sure that PHP 5.3.3 or newer is installed and that the OpenSSL " "PHP extension is enabled and configured properly. For now, the encryption " "app has been disabled." -msgstr "" +msgstr "必ず、PHP 5.3.3以上をインストールし、OpenSSLのPHP拡張を有効にして適切に設定してください。現時点では暗号化アプリは無効になっています。" #: js/settings-admin.js:11 msgid "Saving..." diff --git a/l10n/ja_JP/files_external.po b/l10n/ja_JP/files_external.po index 787934be5f..63c2ad22a0 100644 --- a/l10n/ja_JP/files_external.po +++ b/l10n/ja_JP/files_external.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: I Robot \n" "Language-Team: Japanese (Japan) (http://www.transifex.com/projects/p/owncloud/language/ja_JP/)\n" "MIME-Version: 1.0\n" @@ -37,20 +37,20 @@ msgstr "有効なDropboxアプリのキーとパスワードを入力して下 msgid "Error configuring Google Drive storage" msgstr "Googleドライブストレージの設定エラー" -#: lib/config.php:431 +#: lib/config.php:447 msgid "" "Warning: \"smbclient\" is not installed. Mounting of CIFS/SMB shares " "is not possible. Please ask your system administrator to install it." msgstr "警告: \"smbclient\" はインストールされていません。CIFS/SMB 共有のマウントはできません。システム管理者にインストールをお願いして下さい。" -#: lib/config.php:434 +#: lib/config.php:450 msgid "" "Warning: The FTP support in PHP is not enabled or installed. Mounting" " of FTP shares is not possible. Please ask your system administrator to " "install it." msgstr "警告: PHPのFTPサポートは無効もしくはインストールされていません。FTP共有のマウントはできません。システム管理者にインストールをお願いして下さい。" -#: lib/config.php:437 +#: lib/config.php:453 msgid "" "Warning: The Curl support in PHP is not enabled or installed. " "Mounting of ownCloud / WebDAV or GoogleDrive is not possible. Please ask " diff --git a/l10n/ja_JP/files_sharing.po b/l10n/ja_JP/files_sharing.po index 7d87fcc69e..bd7180154d 100644 --- a/l10n/ja_JP/files_sharing.po +++ b/l10n/ja_JP/files_sharing.po @@ -3,13 +3,14 @@ # This file is distributed under the same license as the PACKAGE package. # # Translators: +# tt yn , 2013 msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:13+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" +"Last-Translator: tt yn \n" "Language-Team: Japanese (Japan) (http://www.transifex.com/projects/p/owncloud/language/ja_JP/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -19,7 +20,7 @@ msgstr "" #: templates/authenticate.php:4 msgid "The password is wrong. Try again." -msgstr "" +msgstr "パスワードが間違っています。再試行してください。" #: templates/authenticate.php:7 msgid "Password" @@ -39,18 +40,18 @@ msgstr "%s はフォルダー %s をあなたと共有中です" msgid "%s shared the file %s with you" msgstr "%s はファイル %s をあなたと共有中です" -#: templates/public.php:28 templates/public.php:86 +#: templates/public.php:28 templates/public.php:90 msgid "Download" msgstr "ダウンロード" -#: templates/public.php:44 +#: templates/public.php:45 templates/public.php:48 msgid "Upload" msgstr "アップロード" -#: templates/public.php:54 +#: templates/public.php:58 msgid "Cancel upload" msgstr "アップロードをキャンセル" -#: templates/public.php:83 +#: templates/public.php:87 msgid "No preview available for" msgstr "プレビューはありません" diff --git a/l10n/ja_JP/files_trashbin.po b/l10n/ja_JP/files_trashbin.po index 4bc00b073b..af8e70b103 100644 --- a/l10n/ja_JP/files_trashbin.po +++ b/l10n/ja_JP/files_trashbin.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: I Robot \n" "Language-Team: Japanese (Japan) (http://www.transifex.com/projects/p/owncloud/language/ja_JP/)\n" "MIME-Version: 1.0\n" diff --git a/l10n/ja_JP/lib.po b/l10n/ja_JP/lib.po index 019949f4b8..a9bfe0203f 100644 --- a/l10n/ja_JP/lib.po +++ b/l10n/ja_JP/lib.po @@ -8,8 +8,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:13+0000\n" +"POT-Creation-Date: 2013-07-24 01:55-0400\n" +"PO-Revision-Date: 2013-07-24 05:55+0000\n" "Last-Translator: I Robot \n" "Language-Team: Japanese (Japan) (http://www.transifex.com/projects/p/owncloud/language/ja_JP/)\n" "MIME-Version: 1.0\n" @@ -42,27 +42,43 @@ msgstr "アプリ" msgid "Admin" msgstr "管理" -#: defaults.php:33 -msgid "web services under your control" +#: app.php:844 +#, php-format +msgid "Failed to upgrade \"%s\"." msgstr "" -#: files.php:210 +#: defaults.php:33 +msgid "web services under your control" +msgstr "管理下のウェブサービス" + +#: files.php:66 files.php:98 +#, php-format +msgid "cannot open \"%s\"" +msgstr "" + +#: files.php:226 msgid "ZIP download is turned off." msgstr "ZIPダウンロードは無効です。" -#: files.php:211 +#: files.php:227 msgid "Files need to be downloaded one by one." msgstr "ファイルは1つずつダウンロードする必要があります。" -#: files.php:212 files.php:245 +#: files.php:228 files.php:256 msgid "Back to Files" msgstr "ファイルに戻る" -#: files.php:242 +#: files.php:253 msgid "Selected files too large to generate zip file." msgstr "選択したファイルはZIPファイルの生成には大きすぎます。" -#: helper.php:236 +#: files.php:254 +msgid "" +"Download the files in smaller chunks, seperately or kindly ask your " +"administrator." +msgstr "" + +#: helper.php:235 msgid "couldn't be determined" msgstr "測定できませんでした" @@ -171,77 +187,81 @@ msgstr "違反コマンド: \"%s\"、名前: %s、パスワード: %s" msgid "PostgreSQL username and/or password not valid" msgstr "PostgreSQLのユーザ名もしくはパスワードは有効ではありません" -#: setup.php:42 +#: setup.php:28 msgid "Set an admin username." msgstr "管理者のユーザ名を設定。" -#: setup.php:45 +#: setup.php:31 msgid "Set an admin password." msgstr "管理者のパスワードを設定。" -#: setup.php:198 +#: setup.php:184 msgid "" "Your web server is not yet properly setup to allow files synchronization " "because the WebDAV interface seems to be broken." msgstr "WebDAVインタフェースが動作していないと考えられるため、あなたのWEBサーバはまだファイルの同期を許可するように適切な設定がされていません。" -#: setup.php:199 +#: setup.php:185 #, php-format msgid "Please double check the installation guides." msgstr "インストールガイドをよく確認してください。" -#: template.php:113 +#: template/functions.php:80 msgid "seconds ago" msgstr "数秒前" -#: template.php:114 +#: template/functions.php:81 msgid "1 minute ago" msgstr "1 分前" -#: template.php:115 +#: template/functions.php:82 #, php-format msgid "%d minutes ago" msgstr "%d 分前" -#: template.php:116 +#: template/functions.php:83 msgid "1 hour ago" msgstr "1 時間前" -#: template.php:117 +#: template/functions.php:84 #, php-format msgid "%d hours ago" msgstr "%d 時間前" -#: template.php:118 +#: template/functions.php:85 msgid "today" msgstr "今日" -#: template.php:119 +#: template/functions.php:86 msgid "yesterday" msgstr "昨日" -#: template.php:120 +#: template/functions.php:87 #, php-format msgid "%d days ago" msgstr "%d 日前" -#: template.php:121 +#: template/functions.php:88 msgid "last month" msgstr "一月前" -#: template.php:122 +#: template/functions.php:89 #, php-format msgid "%d months ago" msgstr "%d 分前" -#: template.php:123 +#: template/functions.php:90 msgid "last year" msgstr "一年前" -#: template.php:124 +#: template/functions.php:91 msgid "years ago" msgstr "年前" +#: template.php:296 +msgid "Caused by:" +msgstr "" + #: vcategories.php:188 vcategories.php:249 #, php-format msgid "Could not find category \"%s\"" diff --git a/l10n/ja_JP/settings.po b/l10n/ja_JP/settings.po index 201c4c38c0..5bb4deb674 100644 --- a/l10n/ja_JP/settings.po +++ b/l10n/ja_JP/settings.po @@ -10,9 +10,9 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" -"Last-Translator: plazmism \n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:55+0000\n" +"Last-Translator: I Robot \n" "Language-Team: Japanese (Japan) (http://www.transifex.com/projects/p/owncloud/language/ja_JP/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -276,62 +276,71 @@ msgstr "リンクを許可する" msgid "Allow users to share items to the public with links" msgstr "リンクによりアイテムを公開することを許可する" -#: templates/admin.php:152 +#: templates/admin.php:153 +msgid "Allow public uploads" +msgstr "" + +#: templates/admin.php:154 +msgid "" +"Allow users to enable others to upload into their publicly shared folders" +msgstr "" + +#: templates/admin.php:162 msgid "Allow resharing" msgstr "再共有を許可する" -#: templates/admin.php:153 +#: templates/admin.php:163 msgid "Allow users to share items shared with them again" msgstr "ユーザが共有しているアイテムの再共有を許可する" -#: templates/admin.php:160 +#: templates/admin.php:170 msgid "Allow users to share with anyone" msgstr "ユーザが誰とでも共有することを許可する" -#: templates/admin.php:163 +#: templates/admin.php:173 msgid "Allow users to only share with users in their groups" msgstr "ユーザにグループ内のユーザとのみ共有を許可する" -#: templates/admin.php:170 +#: templates/admin.php:180 msgid "Security" msgstr "セキュリティ" -#: templates/admin.php:183 +#: templates/admin.php:193 msgid "Enforce HTTPS" msgstr "常にHTTPSを使用する" -#: templates/admin.php:184 +#: templates/admin.php:194 msgid "" "Enforces the clients to connect to ownCloud via an encrypted connection." msgstr "クライアントからownCloudへの接続を常に暗号化する" -#: templates/admin.php:187 +#: templates/admin.php:197 msgid "" "Please connect to this ownCloud instance via HTTPS to enable or disable the " "SSL enforcement." msgstr "常にSSL接続を有効/無効にするために、HTTPS経由でこの ownCloud に接続して下さい。" -#: templates/admin.php:197 +#: templates/admin.php:207 msgid "Log" msgstr "ログ" -#: templates/admin.php:198 +#: templates/admin.php:208 msgid "Log level" msgstr "ログレベル" -#: templates/admin.php:229 +#: templates/admin.php:239 msgid "More" msgstr "もっと見る" -#: templates/admin.php:230 +#: templates/admin.php:240 msgid "Less" msgstr "閉じる" -#: templates/admin.php:236 templates/personal.php:116 +#: templates/admin.php:246 templates/personal.php:116 msgid "Version" msgstr "バージョン" -#: templates/admin.php:240 templates/personal.php:119 +#: templates/admin.php:250 templates/personal.php:119 msgid "" "Developed by the ownCloud community, the access your Files via WebDAV" +msgstr "WebDAV経由でファイルにアクセスするにはこのアドレスを利用してください" #: templates/users.php:21 msgid "Login Name" diff --git a/l10n/ja_JP/user_ldap.po b/l10n/ja_JP/user_ldap.po index 386674a3a4..5711d29411 100644 --- a/l10n/ja_JP/user_ldap.po +++ b/l10n/ja_JP/user_ldap.po @@ -8,8 +8,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: Daisuke Deguchi \n" "Language-Team: Japanese (Japan) (http://www.transifex.com/projects/p/owncloud/language/ja_JP/)\n" "MIME-Version: 1.0\n" diff --git a/l10n/ka/core.po b/l10n/ka/core.po index 1242d91bdc..5dea5056df 100644 --- a/l10n/ka/core.po +++ b/l10n/ka/core.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-06-29 02:03+0200\n" -"PO-Revision-Date: 2013-06-29 00:03+0000\n" +"POT-Creation-Date: 2013-07-06 02:02+0200\n" +"PO-Revision-Date: 2013-07-06 00:02+0000\n" "Last-Translator: I Robot \n" "Language-Team: Georgian (http://www.transifex.com/projects/p/owncloud/language/ka/)\n" "MIME-Version: 1.0\n" @@ -225,8 +225,8 @@ msgstr "" #: js/oc-vcategories.js:14 js/oc-vcategories.js:80 js/oc-vcategories.js:95 #: js/oc-vcategories.js:110 js/oc-vcategories.js:125 js/oc-vcategories.js:136 #: js/oc-vcategories.js:172 js/oc-vcategories.js:189 js/oc-vcategories.js:195 -#: js/oc-vcategories.js:199 js/share.js:136 js/share.js:143 js/share.js:618 -#: js/share.js:630 +#: js/oc-vcategories.js:199 js/share.js:136 js/share.js:143 js/share.js:620 +#: js/share.js:632 msgid "Error" msgstr "" @@ -246,7 +246,7 @@ msgstr "" msgid "Share" msgstr "" -#: js/share.js:125 js/share.js:658 +#: js/share.js:125 js/share.js:660 msgid "Error while sharing" msgstr "" @@ -282,87 +282,87 @@ msgstr "" msgid "Password" msgstr "პაროლი" -#: js/share.js:186 +#: js/share.js:187 msgid "Allow Public Upload" msgstr "" -#: js/share.js:189 +#: js/share.js:191 msgid "Email link to person" msgstr "" -#: js/share.js:190 +#: js/share.js:192 msgid "Send" msgstr "" -#: js/share.js:195 +#: js/share.js:197 msgid "Set expiration date" msgstr "" -#: js/share.js:196 +#: js/share.js:198 msgid "Expiration date" msgstr "" -#: js/share.js:228 +#: js/share.js:230 msgid "Share via email:" msgstr "" -#: js/share.js:230 +#: js/share.js:232 msgid "No people found" msgstr "" -#: js/share.js:268 +#: js/share.js:270 msgid "Resharing is not allowed" msgstr "" -#: js/share.js:304 +#: js/share.js:306 msgid "Shared in {item} with {user}" msgstr "" -#: js/share.js:325 +#: js/share.js:327 msgid "Unshare" msgstr "" -#: js/share.js:337 +#: js/share.js:339 msgid "can edit" msgstr "" -#: js/share.js:339 +#: js/share.js:341 msgid "access control" msgstr "" -#: js/share.js:342 +#: js/share.js:344 msgid "create" msgstr "" -#: js/share.js:345 +#: js/share.js:347 msgid "update" msgstr "" -#: js/share.js:348 +#: js/share.js:350 msgid "delete" msgstr "" -#: js/share.js:351 +#: js/share.js:353 msgid "share" msgstr "" -#: js/share.js:385 js/share.js:605 +#: js/share.js:387 js/share.js:607 msgid "Password protected" msgstr "" -#: js/share.js:618 +#: js/share.js:620 msgid "Error unsetting expiration date" msgstr "" -#: js/share.js:630 +#: js/share.js:632 msgid "Error setting expiration date" msgstr "" -#: js/share.js:645 +#: js/share.js:647 msgid "Sending ..." msgstr "" -#: js/share.js:656 +#: js/share.js:658 msgid "Email sent" msgstr "" @@ -465,7 +465,7 @@ msgstr "" msgid "Cloud not found" msgstr "" -#: templates/altmail.php:2 +#: templates/altmail.php:4 #, php-format msgid "" "Hey there,\n" @@ -476,10 +476,6 @@ msgid "" "Cheers!" msgstr "" -#: templates/altmail.php:7 templates/mail.php:24 -msgid "web services under your control" -msgstr "" - #: templates/edit_categories_dialog.php:4 msgid "Edit categories" msgstr "" @@ -572,12 +568,12 @@ msgstr "" msgid "Finish setup" msgstr "" -#: templates/layout.user.php:40 +#: templates/layout.user.php:43 #, php-format msgid "%s is available. Get more information on how to update." msgstr "" -#: templates/layout.user.php:67 +#: templates/layout.user.php:68 msgid "Log out" msgstr "" @@ -611,7 +607,7 @@ msgstr "" msgid "Alternative Logins" msgstr "" -#: templates/mail.php:15 +#: templates/mail.php:16 #, php-format msgid "" "Hey there,

    just letting you know that %s shared »%s« with you.
    \n" "Language-Team: Georgian (http://www.transifex.com/projects/p/owncloud/language/ka/)\n" "MIME-Version: 1.0\n" @@ -27,54 +27,54 @@ msgstr "" msgid "Could not move %s" msgstr "" -#: ajax/upload.php:16 ajax/upload.php:39 +#: ajax/upload.php:16 ajax/upload.php:45 msgid "Unable to set upload directory." msgstr "" -#: ajax/upload.php:23 +#: ajax/upload.php:22 msgid "Invalid Token" msgstr "" -#: ajax/upload.php:55 +#: ajax/upload.php:59 msgid "No file was uploaded. Unknown error" msgstr "" -#: ajax/upload.php:62 +#: ajax/upload.php:66 msgid "There is no error, the file uploaded with success" msgstr "" -#: ajax/upload.php:63 +#: ajax/upload.php:67 msgid "" "The uploaded file exceeds the upload_max_filesize directive in php.ini: " msgstr "" -#: ajax/upload.php:65 +#: ajax/upload.php:69 msgid "" "The uploaded file exceeds the MAX_FILE_SIZE directive that was specified in " "the HTML form" msgstr "" -#: ajax/upload.php:66 +#: ajax/upload.php:70 msgid "The uploaded file was only partially uploaded" msgstr "" -#: ajax/upload.php:67 +#: ajax/upload.php:71 msgid "No file was uploaded" msgstr "" -#: ajax/upload.php:68 +#: ajax/upload.php:72 msgid "Missing a temporary folder" msgstr "" -#: ajax/upload.php:69 +#: ajax/upload.php:73 msgid "Failed to write to disk" msgstr "" -#: ajax/upload.php:87 +#: ajax/upload.php:91 msgid "Not enough storage available" msgstr "" -#: ajax/upload.php:119 +#: ajax/upload.php:123 msgid "Invalid directory." msgstr "" @@ -128,43 +128,43 @@ msgstr "" msgid "Rename" msgstr "" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:464 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:465 msgid "Pending" msgstr "" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "{new_name} already exists" msgstr "" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "replace" msgstr "" -#: js/filelist.js:302 +#: js/filelist.js:303 msgid "suggest name" msgstr "" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "cancel" msgstr "" -#: js/filelist.js:349 +#: js/filelist.js:350 msgid "replaced {new_name} with {old_name}" msgstr "" -#: js/filelist.js:349 +#: js/filelist.js:350 msgid "undo" msgstr "" -#: js/filelist.js:374 +#: js/filelist.js:375 msgid "perform delete operation" msgstr "" -#: js/filelist.js:456 +#: js/filelist.js:457 msgid "1 file uploading" msgstr "" -#: js/filelist.js:459 js/filelist.js:517 +#: js/filelist.js:460 js/filelist.js:518 msgid "files uploading" msgstr "" @@ -212,19 +212,19 @@ msgstr "" msgid "Modified" msgstr "" -#: js/files.js:765 +#: js/files.js:763 msgid "1 folder" msgstr "" -#: js/files.js:767 +#: js/files.js:765 msgid "{count} folders" msgstr "" -#: js/files.js:775 +#: js/files.js:773 msgid "1 file" msgstr "" -#: js/files.js:777 +#: js/files.js:775 msgid "{count} files" msgstr "" @@ -327,19 +327,19 @@ msgstr "" msgid "Current scanning" msgstr "" -#: templates/part.list.php:78 +#: templates/part.list.php:74 msgid "directory" msgstr "" -#: templates/part.list.php:80 +#: templates/part.list.php:76 msgid "directories" msgstr "" -#: templates/part.list.php:89 +#: templates/part.list.php:85 msgid "file" msgstr "" -#: templates/part.list.php:91 +#: templates/part.list.php:87 msgid "files" msgstr "" diff --git a/l10n/ka/files_sharing.po b/l10n/ka/files_sharing.po index 8baaaed48f..ffe0413a6b 100644 --- a/l10n/ka/files_sharing.po +++ b/l10n/ka/files_sharing.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:13+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: I Robot \n" "Language-Team: Georgian (http://www.transifex.com/projects/p/owncloud/language/ka/)\n" "MIME-Version: 1.0\n" @@ -39,18 +39,18 @@ msgstr "" msgid "%s shared the file %s with you" msgstr "" -#: templates/public.php:28 templates/public.php:86 +#: templates/public.php:28 templates/public.php:90 msgid "Download" msgstr "გადმოწერა" -#: templates/public.php:44 +#: templates/public.php:45 templates/public.php:48 msgid "Upload" msgstr "" -#: templates/public.php:54 +#: templates/public.php:58 msgid "Cancel upload" msgstr "" -#: templates/public.php:83 +#: templates/public.php:87 msgid "No preview available for" msgstr "" diff --git a/l10n/ka/lib.po b/l10n/ka/lib.po index 4fa2845d63..5cfcfa245f 100644 --- a/l10n/ka/lib.po +++ b/l10n/ka/lib.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:13+0000\n" +"POT-Creation-Date: 2013-07-24 01:55-0400\n" +"PO-Revision-Date: 2013-07-24 05:55+0000\n" "Last-Translator: I Robot \n" "Language-Team: Georgian (http://www.transifex.com/projects/p/owncloud/language/ka/)\n" "MIME-Version: 1.0\n" @@ -41,27 +41,43 @@ msgstr "" msgid "Admin" msgstr "ადმინისტრატორი" +#: app.php:844 +#, php-format +msgid "Failed to upgrade \"%s\"." +msgstr "" + #: defaults.php:33 msgid "web services under your control" msgstr "" -#: files.php:210 +#: files.php:66 files.php:98 +#, php-format +msgid "cannot open \"%s\"" +msgstr "" + +#: files.php:226 msgid "ZIP download is turned off." msgstr "ZIP გადმოწერა გამორთულია" -#: files.php:211 +#: files.php:227 msgid "Files need to be downloaded one by one." msgstr "" -#: files.php:212 files.php:245 +#: files.php:228 files.php:256 msgid "Back to Files" msgstr "" -#: files.php:242 +#: files.php:253 msgid "Selected files too large to generate zip file." msgstr "" -#: helper.php:236 +#: files.php:254 +msgid "" +"Download the files in smaller chunks, seperately or kindly ask your " +"administrator." +msgstr "" + +#: helper.php:235 msgid "couldn't be determined" msgstr "" @@ -170,77 +186,81 @@ msgstr "" msgid "PostgreSQL username and/or password not valid" msgstr "" -#: setup.php:42 +#: setup.php:28 msgid "Set an admin username." msgstr "" -#: setup.php:45 +#: setup.php:31 msgid "Set an admin password." msgstr "" -#: setup.php:198 +#: setup.php:184 msgid "" "Your web server is not yet properly setup to allow files synchronization " "because the WebDAV interface seems to be broken." msgstr "" -#: setup.php:199 +#: setup.php:185 #, php-format msgid "Please double check the installation guides." msgstr "" -#: template.php:113 +#: template/functions.php:80 msgid "seconds ago" msgstr "წამის წინ" -#: template.php:114 +#: template/functions.php:81 msgid "1 minute ago" msgstr "1 წუთის წინ" -#: template.php:115 +#: template/functions.php:82 #, php-format msgid "%d minutes ago" msgstr "%d წუთის წინ" -#: template.php:116 +#: template/functions.php:83 msgid "1 hour ago" msgstr "1 საათის წინ" -#: template.php:117 +#: template/functions.php:84 #, php-format msgid "%d hours ago" msgstr "" -#: template.php:118 +#: template/functions.php:85 msgid "today" msgstr "დღეს" -#: template.php:119 +#: template/functions.php:86 msgid "yesterday" msgstr "გუშინ" -#: template.php:120 +#: template/functions.php:87 #, php-format msgid "%d days ago" msgstr "%d დღის წინ" -#: template.php:121 +#: template/functions.php:88 msgid "last month" msgstr "" -#: template.php:122 +#: template/functions.php:89 #, php-format msgid "%d months ago" msgstr "" -#: template.php:123 +#: template/functions.php:90 msgid "last year" msgstr "" -#: template.php:124 +#: template/functions.php:91 msgid "years ago" msgstr "" +#: template.php:296 +msgid "Caused by:" +msgstr "" + #: vcategories.php:188 vcategories.php:249 #, php-format msgid "Could not find category \"%s\"" diff --git a/l10n/ka/settings.po b/l10n/ka/settings.po index 33cd23090e..4639302e89 100644 --- a/l10n/ka/settings.po +++ b/l10n/ka/settings.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-06-23 01:59+0200\n" -"PO-Revision-Date: 2013-06-22 10:23+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:55+0000\n" "Last-Translator: I Robot \n" "Language-Team: Georgian (http://www.transifex.com/projects/p/owncloud/language/ka/)\n" "MIME-Version: 1.0\n" @@ -88,35 +88,35 @@ msgstr "" msgid "Couldn't update app." msgstr "" -#: js/apps.js:30 +#: js/apps.js:35 msgid "Update to {appversion}" msgstr "" -#: js/apps.js:36 js/apps.js:76 +#: js/apps.js:41 js/apps.js:81 msgid "Disable" msgstr "" -#: js/apps.js:36 js/apps.js:64 js/apps.js:83 +#: js/apps.js:41 js/apps.js:69 js/apps.js:88 msgid "Enable" msgstr "" -#: js/apps.js:55 +#: js/apps.js:60 msgid "Please wait...." msgstr "" -#: js/apps.js:59 js/apps.js:71 js/apps.js:80 js/apps.js:93 +#: js/apps.js:64 js/apps.js:76 js/apps.js:85 js/apps.js:98 msgid "Error" msgstr "" -#: js/apps.js:90 +#: js/apps.js:95 msgid "Updating...." msgstr "" -#: js/apps.js:93 +#: js/apps.js:98 msgid "Error while updating app" msgstr "" -#: js/apps.js:96 +#: js/apps.js:101 msgid "Updated" msgstr "" @@ -165,15 +165,15 @@ msgstr "" msgid "A valid password must be provided" msgstr "" -#: personal.php:35 personal.php:36 +#: personal.php:37 personal.php:38 msgid "__language_name__" msgstr "" -#: templates/admin.php:15 +#: templates/admin.php:17 msgid "Security Warning" msgstr "" -#: templates/admin.php:18 +#: templates/admin.php:20 msgid "" "Your data directory and your files are probably accessible from the " "internet. The .htaccess file that ownCloud provides is not working. We " @@ -182,36 +182,36 @@ msgid "" " webserver document root." msgstr "" -#: templates/admin.php:29 +#: templates/admin.php:31 msgid "Setup Warning" msgstr "" -#: templates/admin.php:32 +#: templates/admin.php:34 msgid "" "Your web server is not yet properly setup to allow files synchronization " "because the WebDAV interface seems to be broken." msgstr "" -#: templates/admin.php:33 +#: templates/admin.php:35 #, php-format msgid "Please double check the installation guides." msgstr "" -#: templates/admin.php:44 +#: templates/admin.php:46 msgid "Module 'fileinfo' missing" msgstr "" -#: templates/admin.php:47 +#: templates/admin.php:49 msgid "" "The PHP module 'fileinfo' is missing. We strongly recommend to enable this " "module to get best results with mime-type detection." msgstr "" -#: templates/admin.php:58 +#: templates/admin.php:60 msgid "Locale not working" msgstr "" -#: templates/admin.php:63 +#: templates/admin.php:65 #, php-format msgid "" "This ownCloud server can't set system locale to %s. This means that there " @@ -219,11 +219,11 @@ msgid "" " to install the required packages on your system to support %s." msgstr "" -#: templates/admin.php:75 +#: templates/admin.php:77 msgid "Internet connection not working" msgstr "" -#: templates/admin.php:78 +#: templates/admin.php:80 msgid "" "This ownCloud server has no working internet connection. This means that " "some of the features like mounting of external storage, notifications about " @@ -233,102 +233,111 @@ msgid "" " of ownCloud." msgstr "" -#: templates/admin.php:92 +#: templates/admin.php:94 msgid "Cron" msgstr "" -#: templates/admin.php:101 +#: templates/admin.php:103 msgid "Execute one task with each page loaded" msgstr "" -#: templates/admin.php:111 +#: templates/admin.php:113 msgid "" "cron.php is registered at a webcron service. Call the cron.php page in the " "owncloud root once a minute over http." msgstr "" -#: templates/admin.php:121 +#: templates/admin.php:123 msgid "" "Use systems cron service. Call the cron.php file in the owncloud folder via " "a system cronjob once a minute." msgstr "" -#: templates/admin.php:128 +#: templates/admin.php:130 msgid "Sharing" msgstr "" -#: templates/admin.php:134 +#: templates/admin.php:136 msgid "Enable Share API" msgstr "" -#: templates/admin.php:135 +#: templates/admin.php:137 msgid "Allow apps to use the Share API" msgstr "" -#: templates/admin.php:142 +#: templates/admin.php:144 msgid "Allow links" msgstr "" -#: templates/admin.php:143 +#: templates/admin.php:145 msgid "Allow users to share items to the public with links" msgstr "" -#: templates/admin.php:150 +#: templates/admin.php:153 +msgid "Allow public uploads" +msgstr "" + +#: templates/admin.php:154 +msgid "" +"Allow users to enable others to upload into their publicly shared folders" +msgstr "" + +#: templates/admin.php:162 msgid "Allow resharing" msgstr "" -#: templates/admin.php:151 +#: templates/admin.php:163 msgid "Allow users to share items shared with them again" msgstr "" -#: templates/admin.php:158 +#: templates/admin.php:170 msgid "Allow users to share with anyone" msgstr "" -#: templates/admin.php:161 +#: templates/admin.php:173 msgid "Allow users to only share with users in their groups" msgstr "" -#: templates/admin.php:168 +#: templates/admin.php:180 msgid "Security" msgstr "" -#: templates/admin.php:181 +#: templates/admin.php:193 msgid "Enforce HTTPS" msgstr "" -#: templates/admin.php:182 +#: templates/admin.php:194 msgid "" "Enforces the clients to connect to ownCloud via an encrypted connection." msgstr "" -#: templates/admin.php:185 +#: templates/admin.php:197 msgid "" "Please connect to this ownCloud instance via HTTPS to enable or disable the " "SSL enforcement." msgstr "" -#: templates/admin.php:195 +#: templates/admin.php:207 msgid "Log" msgstr "" -#: templates/admin.php:196 +#: templates/admin.php:208 msgid "Log level" msgstr "" -#: templates/admin.php:227 +#: templates/admin.php:239 msgid "More" msgstr "" -#: templates/admin.php:228 +#: templates/admin.php:240 msgid "Less" msgstr "" -#: templates/admin.php:235 templates/personal.php:116 +#: templates/admin.php:246 templates/personal.php:116 msgid "Version" msgstr "" -#: templates/admin.php:237 templates/personal.php:119 +#: templates/admin.php:250 templates/personal.php:119 msgid "" "Developed by the ownCloud community, the %s of the available %s" msgstr "" -#: templates/personal.php:40 templates/users.php:23 templates/users.php:86 +#: templates/personal.php:41 templates/users.php:23 templates/users.php:86 msgid "Password" msgstr "პაროლი" -#: templates/personal.php:41 +#: templates/personal.php:42 msgid "Your password was changed" msgstr "" -#: templates/personal.php:42 +#: templates/personal.php:43 msgid "Unable to change your password" msgstr "" -#: templates/personal.php:43 +#: templates/personal.php:44 msgid "Current password" msgstr "" -#: templates/personal.php:45 +#: templates/personal.php:46 msgid "New password" msgstr "" -#: templates/personal.php:47 +#: templates/personal.php:48 msgid "Change password" msgstr "" -#: templates/personal.php:59 templates/users.php:85 +#: templates/personal.php:60 templates/users.php:85 msgid "Display Name" msgstr "" -#: templates/personal.php:74 +#: templates/personal.php:75 msgid "Email" msgstr "" -#: templates/personal.php:76 +#: templates/personal.php:77 msgid "Your email address" msgstr "" -#: templates/personal.php:77 +#: templates/personal.php:78 msgid "Fill in an email address to enable password recovery" msgstr "" -#: templates/personal.php:86 templates/personal.php:87 +#: templates/personal.php:87 templates/personal.php:88 msgid "Language" msgstr "" -#: templates/personal.php:99 +#: templates/personal.php:100 msgid "Help translate" msgstr "" -#: templates/personal.php:105 +#: templates/personal.php:106 msgid "WebDAV" msgstr "" -#: templates/personal.php:107 -msgid "Use this address to connect to your ownCloud in your file manager" +#: templates/personal.php:108 +#, php-format +msgid "" +"Use this address to access your Files via WebDAV" msgstr "" #: templates/users.php:21 diff --git a/l10n/ka_GE/core.po b/l10n/ka_GE/core.po index 69cd02d9d2..e8ec2045b6 100644 --- a/l10n/ka_GE/core.po +++ b/l10n/ka_GE/core.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:12+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:04+0000\n" "Last-Translator: I Robot \n" "Language-Team: Georgian (Georgia) (http://www.transifex.com/projects/p/owncloud/language/ka_GE/)\n" "MIME-Version: 1.0\n" @@ -137,59 +137,59 @@ msgstr "ნოემბერი" msgid "December" msgstr "დეკემბერი" -#: js/js.js:289 +#: js/js.js:293 msgid "Settings" msgstr "პარამეტრები" -#: js/js.js:721 +#: js/js.js:715 msgid "seconds ago" msgstr "წამის წინ" -#: js/js.js:722 +#: js/js.js:716 msgid "1 minute ago" msgstr "1 წუთის წინ" -#: js/js.js:723 +#: js/js.js:717 msgid "{minutes} minutes ago" msgstr "{minutes} წუთის წინ" -#: js/js.js:724 +#: js/js.js:718 msgid "1 hour ago" msgstr "1 საათის წინ" -#: js/js.js:725 +#: js/js.js:719 msgid "{hours} hours ago" msgstr "{hours} საათის წინ" -#: js/js.js:726 +#: js/js.js:720 msgid "today" msgstr "დღეს" -#: js/js.js:727 +#: js/js.js:721 msgid "yesterday" msgstr "გუშინ" -#: js/js.js:728 +#: js/js.js:722 msgid "{days} days ago" msgstr "{days} დღის წინ" -#: js/js.js:729 +#: js/js.js:723 msgid "last month" msgstr "გასულ თვეში" -#: js/js.js:730 +#: js/js.js:724 msgid "{months} months ago" msgstr "{months} თვის წინ" -#: js/js.js:731 +#: js/js.js:725 msgid "months ago" msgstr "თვის წინ" -#: js/js.js:732 +#: js/js.js:726 msgid "last year" msgstr "ბოლო წელს" -#: js/js.js:733 +#: js/js.js:727 msgid "years ago" msgstr "წლის წინ" @@ -225,8 +225,8 @@ msgstr "ობიექტის ტიპი არ არის მითი #: js/oc-vcategories.js:14 js/oc-vcategories.js:80 js/oc-vcategories.js:95 #: js/oc-vcategories.js:110 js/oc-vcategories.js:125 js/oc-vcategories.js:136 #: js/oc-vcategories.js:172 js/oc-vcategories.js:189 js/oc-vcategories.js:195 -#: js/oc-vcategories.js:199 js/share.js:136 js/share.js:143 js/share.js:618 -#: js/share.js:630 +#: js/oc-vcategories.js:199 js/share.js:136 js/share.js:143 js/share.js:625 +#: js/share.js:637 msgid "Error" msgstr "შეცდომა" @@ -246,7 +246,7 @@ msgstr "გაზიარებული" msgid "Share" msgstr "გაზიარება" -#: js/share.js:125 js/share.js:658 +#: js/share.js:125 js/share.js:665 msgid "Error while sharing" msgstr "შეცდომა გაზიარების დროს" @@ -266,114 +266,114 @@ msgstr "გაზიარდა თქვენთვის და ჯგუფ msgid "Shared with you by {owner}" msgstr "გაზიარდა თქვენთვის {owner}–ის მიერ" -#: js/share.js:172 +#: js/share.js:177 msgid "Share with" msgstr "გააზიარე შემდეგით:" -#: js/share.js:177 +#: js/share.js:182 msgid "Share with link" msgstr "გაუზიარე ლინკით" -#: js/share.js:180 +#: js/share.js:185 msgid "Password protect" msgstr "პაროლით დაცვა" -#: js/share.js:182 templates/installation.php:54 templates/login.php:26 +#: js/share.js:187 templates/installation.php:54 templates/login.php:26 msgid "Password" msgstr "პაროლი" -#: js/share.js:186 +#: js/share.js:192 msgid "Allow Public Upload" msgstr "" -#: js/share.js:189 +#: js/share.js:196 msgid "Email link to person" msgstr "ლინკის პიროვნების იმეილზე გაგზავნა" -#: js/share.js:190 +#: js/share.js:197 msgid "Send" msgstr "გაგზავნა" -#: js/share.js:195 +#: js/share.js:202 msgid "Set expiration date" msgstr "მიუთითე ვადის გასვლის დრო" -#: js/share.js:196 +#: js/share.js:203 msgid "Expiration date" msgstr "ვადის გასვლის დრო" -#: js/share.js:228 +#: js/share.js:235 msgid "Share via email:" msgstr "გააზიარე მეილზე" -#: js/share.js:230 +#: js/share.js:237 msgid "No people found" msgstr "მომხმარებელი არ არის ნაპოვნი" -#: js/share.js:268 +#: js/share.js:275 msgid "Resharing is not allowed" msgstr "მეორეჯერ გაზიარება არ არის დაშვებული" -#: js/share.js:304 +#: js/share.js:311 msgid "Shared in {item} with {user}" msgstr "გაზიარდა {item}–ში {user}–ის მიერ" -#: js/share.js:325 +#: js/share.js:332 msgid "Unshare" msgstr "გაუზიარებადი" -#: js/share.js:337 +#: js/share.js:344 msgid "can edit" msgstr "შეგიძლია შეცვლა" -#: js/share.js:339 +#: js/share.js:346 msgid "access control" msgstr "დაშვების კონტროლი" -#: js/share.js:342 +#: js/share.js:349 msgid "create" msgstr "შექმნა" -#: js/share.js:345 +#: js/share.js:352 msgid "update" msgstr "განახლება" -#: js/share.js:348 +#: js/share.js:355 msgid "delete" msgstr "წაშლა" -#: js/share.js:351 +#: js/share.js:358 msgid "share" msgstr "გაზიარება" -#: js/share.js:385 js/share.js:605 +#: js/share.js:392 js/share.js:612 msgid "Password protected" msgstr "პაროლით დაცული" -#: js/share.js:618 +#: js/share.js:625 msgid "Error unsetting expiration date" msgstr "შეცდომა ვადის გასვლის მოხსნის დროს" -#: js/share.js:630 +#: js/share.js:637 msgid "Error setting expiration date" msgstr "შეცდომა ვადის გასვლის მითითების დროს" -#: js/share.js:645 +#: js/share.js:652 msgid "Sending ..." msgstr "გაგზავნა ...." -#: js/share.js:656 +#: js/share.js:663 msgid "Email sent" msgstr "იმეილი გაიგზავნა" -#: js/update.js:14 +#: js/update.js:17 msgid "" "The update was unsuccessful. Please report this issue to the ownCloud " "community." msgstr "განახლება ვერ განხორციელდა. გთხოვთ შეგვატყობინოთ ამ პრობლემის შესახებ აქ: ownCloud community." -#: js/update.js:18 +#: js/update.js:21 msgid "The update was successful. Redirecting you to ownCloud now." msgstr "განახლება ვერ განხორციელდა. გადამისამართება თქვენს ownCloud–ზე." @@ -465,7 +465,7 @@ msgstr "წვდომა აკრძალულია" msgid "Cloud not found" msgstr "ღრუბელი არ არსებობს" -#: templates/altmail.php:2 +#: templates/altmail.php:4 #, php-format msgid "" "Hey there,\n" @@ -476,10 +476,6 @@ msgid "" "Cheers!" msgstr "" -#: templates/altmail.php:7 templates/mail.php:24 -msgid "web services under your control" -msgstr "web services under your control" - #: templates/edit_categories_dialog.php:4 msgid "Edit categories" msgstr "კატეგორიების რედაქტირება" @@ -611,7 +607,7 @@ msgstr "შესვლა" msgid "Alternative Logins" msgstr "ალტერნატიული Login–ი" -#: templates/mail.php:15 +#: templates/mail.php:16 #, php-format msgid "" "Hey there,

    just letting you know that %s shared »%s« with you.
    \n" "Language-Team: Georgian (Georgia) (http://www.transifex.com/projects/p/owncloud/language/ka_GE/)\n" "MIME-Version: 1.0\n" @@ -27,54 +27,54 @@ msgstr "%s –ის გადატანა ვერ მოხერხდა msgid "Could not move %s" msgstr "%s –ის გადატანა ვერ მოხერხდა" -#: ajax/upload.php:16 ajax/upload.php:39 +#: ajax/upload.php:16 ajax/upload.php:45 msgid "Unable to set upload directory." msgstr "" -#: ajax/upload.php:23 +#: ajax/upload.php:22 msgid "Invalid Token" msgstr "" -#: ajax/upload.php:55 +#: ajax/upload.php:59 msgid "No file was uploaded. Unknown error" msgstr "ფაილი არ აიტვირთა. უცნობი შეცდომა" -#: ajax/upload.php:62 +#: ajax/upload.php:66 msgid "There is no error, the file uploaded with success" msgstr "ჭოცდომა არ დაფიქსირდა, ფაილი წარმატებით აიტვირთა" -#: ajax/upload.php:63 +#: ajax/upload.php:67 msgid "" "The uploaded file exceeds the upload_max_filesize directive in php.ini: " msgstr "ატვირთული ფაილი აჭარბებს upload_max_filesize დირექტივას php.ini ფაილში" -#: ajax/upload.php:65 +#: ajax/upload.php:69 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:66 +#: ajax/upload.php:70 msgid "The uploaded file was only partially uploaded" msgstr "ატვირთული ფაილი მხოლოდ ნაწილობრივ აიტვირთა" -#: ajax/upload.php:67 +#: ajax/upload.php:71 msgid "No file was uploaded" msgstr "ფაილი არ აიტვირთა" -#: ajax/upload.php:68 +#: ajax/upload.php:72 msgid "Missing a temporary folder" msgstr "დროებითი საქაღალდე არ არსებობს" -#: ajax/upload.php:69 +#: ajax/upload.php:73 msgid "Failed to write to disk" msgstr "შეცდომა დისკზე ჩაწერისას" -#: ajax/upload.php:87 +#: ajax/upload.php:91 msgid "Not enough storage available" msgstr "საცავში საკმარისი ადგილი არ არის" -#: ajax/upload.php:119 +#: ajax/upload.php:123 msgid "Invalid directory." msgstr "დაუშვებელი დირექტორია." @@ -128,43 +128,43 @@ msgstr "წაშლა" msgid "Rename" msgstr "გადარქმევა" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:464 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:465 msgid "Pending" msgstr "მოცდის რეჟიმში" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "{new_name} already exists" msgstr "{new_name} უკვე არსებობს" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "replace" msgstr "შეცვლა" -#: js/filelist.js:302 +#: js/filelist.js:303 msgid "suggest name" msgstr "სახელის შემოთავაზება" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "cancel" msgstr "უარყოფა" -#: js/filelist.js:349 +#: js/filelist.js:350 msgid "replaced {new_name} with {old_name}" msgstr "{new_name} შეცვლილია {old_name}–ით" -#: js/filelist.js:349 +#: js/filelist.js:350 msgid "undo" msgstr "დაბრუნება" -#: js/filelist.js:374 +#: js/filelist.js:375 msgid "perform delete operation" msgstr "მიმდინარეობს წაშლის ოპერაცია" -#: js/filelist.js:456 +#: js/filelist.js:457 msgid "1 file uploading" msgstr "1 ფაილის ატვირთვა" -#: js/filelist.js:459 js/filelist.js:517 +#: js/filelist.js:460 js/filelist.js:518 msgid "files uploading" msgstr "ფაილები იტვირთება" @@ -212,19 +212,19 @@ msgstr "ზომა" msgid "Modified" msgstr "შეცვლილია" -#: js/files.js:765 +#: js/files.js:763 msgid "1 folder" msgstr "1 საქაღალდე" -#: js/files.js:767 +#: js/files.js:765 msgid "{count} folders" msgstr "{count} საქაღალდე" -#: js/files.js:775 +#: js/files.js:773 msgid "1 file" msgstr "1 ფაილი" -#: js/files.js:777 +#: js/files.js:775 msgid "{count} files" msgstr "{count} ფაილი" @@ -327,19 +327,19 @@ msgstr "მიმდინარეობს ფაილების სკა msgid "Current scanning" msgstr "მიმდინარე სკანირება" -#: templates/part.list.php:78 +#: templates/part.list.php:74 msgid "directory" msgstr "" -#: templates/part.list.php:80 +#: templates/part.list.php:76 msgid "directories" msgstr "" -#: templates/part.list.php:89 +#: templates/part.list.php:85 msgid "file" msgstr "" -#: templates/part.list.php:91 +#: templates/part.list.php:87 msgid "files" msgstr "" diff --git a/l10n/ka_GE/files_external.po b/l10n/ka_GE/files_external.po index ef21a65394..e5d0ff158b 100644 --- a/l10n/ka_GE/files_external.po +++ b/l10n/ka_GE/files_external.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: drlinux64 \n" "Language-Team: Georgian (Georgia) (http://www.transifex.com/projects/p/owncloud/language/ka_GE/)\n" "MIME-Version: 1.0\n" @@ -37,20 +37,20 @@ msgstr "გთხოვთ მიუთითოთ Dropbox აპლიკა msgid "Error configuring Google Drive storage" msgstr "შეცდომა Google Drive საცავის კონფიგურირების დროს" -#: lib/config.php:431 +#: lib/config.php:447 msgid "" "Warning: \"smbclient\" is not installed. Mounting of CIFS/SMB shares " "is not possible. Please ask your system administrator to install it." msgstr "გაფრთხილება: \"smbclient\" არ არის ინსტალირებული. CIFS/SMB ზიარების მონტირება შეუძლებელია. გთხოვთ თხოვოთ თქვენს სისტემურ ადმინისტრატორებს დააინსტალიროს ის." -#: lib/config.php:434 +#: lib/config.php:450 msgid "" "Warning: The FTP support in PHP is not enabled or installed. Mounting" " of FTP shares is not possible. Please ask your system administrator to " "install it." msgstr "გაფრთხილება: FTP მხარდაჭერა არ არის აქტიური ან დაინსტალირებული. FTP ზიარის მონტირება შეუძლებელია. გთხოვთ თხოვოთ თქვენს სისტემურ ადმინისტრატორებს დააინსტალიროს ის." -#: lib/config.php:437 +#: lib/config.php:453 msgid "" "Warning: The Curl support in PHP is not enabled or installed. " "Mounting of ownCloud / WebDAV or GoogleDrive is not possible. Please ask " diff --git a/l10n/ka_GE/files_sharing.po b/l10n/ka_GE/files_sharing.po index 56a1b27e9c..58d9060e66 100644 --- a/l10n/ka_GE/files_sharing.po +++ b/l10n/ka_GE/files_sharing.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:13+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: I Robot \n" "Language-Team: Georgian (Georgia) (http://www.transifex.com/projects/p/owncloud/language/ka_GE/)\n" "MIME-Version: 1.0\n" @@ -39,18 +39,18 @@ msgstr "%s–მა გაგიზიარათ ფოლდერი %s" msgid "%s shared the file %s with you" msgstr "%s–მა გაგიზიარათ ფაილი %s" -#: templates/public.php:28 templates/public.php:86 +#: templates/public.php:28 templates/public.php:90 msgid "Download" msgstr "ჩამოტვირთვა" -#: templates/public.php:44 +#: templates/public.php:45 templates/public.php:48 msgid "Upload" msgstr "ატვირთვა" -#: templates/public.php:54 +#: templates/public.php:58 msgid "Cancel upload" msgstr "ატვირთვის გაუქმება" -#: templates/public.php:83 +#: templates/public.php:87 msgid "No preview available for" msgstr "წინასწარი დათვალიერება შეუძლებელია" diff --git a/l10n/ka_GE/files_trashbin.po b/l10n/ka_GE/files_trashbin.po index 4fb606d5ec..c605312031 100644 --- a/l10n/ka_GE/files_trashbin.po +++ b/l10n/ka_GE/files_trashbin.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: drlinux64 \n" "Language-Team: Georgian (Georgia) (http://www.transifex.com/projects/p/owncloud/language/ka_GE/)\n" "MIME-Version: 1.0\n" diff --git a/l10n/ka_GE/lib.po b/l10n/ka_GE/lib.po index 6201451b3b..499f821fb1 100644 --- a/l10n/ka_GE/lib.po +++ b/l10n/ka_GE/lib.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:13+0000\n" +"POT-Creation-Date: 2013-07-24 01:55-0400\n" +"PO-Revision-Date: 2013-07-24 05:55+0000\n" "Last-Translator: I Robot \n" "Language-Team: Georgian (Georgia) (http://www.transifex.com/projects/p/owncloud/language/ka_GE/)\n" "MIME-Version: 1.0\n" @@ -41,27 +41,43 @@ msgstr "აპლიკაციები" msgid "Admin" msgstr "ადმინისტრატორი" -#: defaults.php:33 -msgid "web services under your control" +#: app.php:844 +#, php-format +msgid "Failed to upgrade \"%s\"." msgstr "" -#: files.php:210 +#: defaults.php:33 +msgid "web services under your control" +msgstr "web services under your control" + +#: files.php:66 files.php:98 +#, php-format +msgid "cannot open \"%s\"" +msgstr "" + +#: files.php:226 msgid "ZIP download is turned off." msgstr "ZIP download–ი გათიშულია" -#: files.php:211 +#: files.php:227 msgid "Files need to be downloaded one by one." msgstr "ფაილები უნდა გადმოიტვირთოს სათითაოდ." -#: files.php:212 files.php:245 +#: files.php:228 files.php:256 msgid "Back to Files" msgstr "უკან ფაილებში" -#: files.php:242 +#: files.php:253 msgid "Selected files too large to generate zip file." msgstr "არჩეული ფაილები ძალიან დიდია zip ფაილის გენერაციისთვის." -#: helper.php:236 +#: files.php:254 +msgid "" +"Download the files in smaller chunks, seperately or kindly ask your " +"administrator." +msgstr "" + +#: helper.php:235 msgid "couldn't be determined" msgstr "ვერ განისაზღვრა" @@ -170,77 +186,81 @@ msgstr "Offending ბრძანება იყო: \"%s\", სახელი msgid "PostgreSQL username and/or password not valid" msgstr "PostgreSQL იუზერნეიმი და/ან პაროლი არ არის სწორი" -#: setup.php:42 +#: setup.php:28 msgid "Set an admin username." msgstr "დააყენეთ ადმინისტრატორის სახელი." -#: setup.php:45 +#: setup.php:31 msgid "Set an admin password." msgstr "დააყენეთ ადმინისტრატორის პაროლი." -#: setup.php:198 +#: setup.php:184 msgid "" "Your web server is not yet properly setup to allow files synchronization " "because the WebDAV interface seems to be broken." msgstr "თქვენი web სერვერი არ არის კონფიგურირებული ფაილ სინქრონიზაციისთვის, რადგან WebDAV ინტერფეისი შეიძლება იყოს გატეხილი." -#: setup.php:199 +#: setup.php:185 #, php-format msgid "Please double check the installation guides." msgstr "გთხოვთ გადაათვალიეროთ ინსტალაციის გზამკვლევი." -#: template.php:113 +#: template/functions.php:80 msgid "seconds ago" msgstr "წამის წინ" -#: template.php:114 +#: template/functions.php:81 msgid "1 minute ago" msgstr "1 წუთის წინ" -#: template.php:115 +#: template/functions.php:82 #, php-format msgid "%d minutes ago" msgstr "%d წუთის წინ" -#: template.php:116 +#: template/functions.php:83 msgid "1 hour ago" msgstr "1 საათის წინ" -#: template.php:117 +#: template/functions.php:84 #, php-format msgid "%d hours ago" msgstr "%d საათის წინ" -#: template.php:118 +#: template/functions.php:85 msgid "today" msgstr "დღეს" -#: template.php:119 +#: template/functions.php:86 msgid "yesterday" msgstr "გუშინ" -#: template.php:120 +#: template/functions.php:87 #, php-format msgid "%d days ago" msgstr "%d დღის წინ" -#: template.php:121 +#: template/functions.php:88 msgid "last month" msgstr "გასულ თვეში" -#: template.php:122 +#: template/functions.php:89 #, php-format msgid "%d months ago" msgstr "%d თვის წინ" -#: template.php:123 +#: template/functions.php:90 msgid "last year" msgstr "ბოლო წელს" -#: template.php:124 +#: template/functions.php:91 msgid "years ago" msgstr "წლის წინ" +#: template.php:296 +msgid "Caused by:" +msgstr "" + #: vcategories.php:188 vcategories.php:249 #, php-format msgid "Could not find category \"%s\"" diff --git a/l10n/ka_GE/settings.po b/l10n/ka_GE/settings.po index 995622a2e6..66f7b15ce1 100644 --- a/l10n/ka_GE/settings.po +++ b/l10n/ka_GE/settings.po @@ -8,8 +8,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:55+0000\n" "Last-Translator: I Robot \n" "Language-Team: Georgian (Georgia) (http://www.transifex.com/projects/p/owncloud/language/ka_GE/)\n" "MIME-Version: 1.0\n" @@ -274,62 +274,71 @@ msgstr "ლინკების დაშვება" msgid "Allow users to share items to the public with links" msgstr "მიეცი მომხმარებლებს უფლება რომ გააზიაროს ელემენტები საჯაროდ ლინკებით" -#: templates/admin.php:152 +#: templates/admin.php:153 +msgid "Allow public uploads" +msgstr "" + +#: templates/admin.php:154 +msgid "" +"Allow users to enable others to upload into their publicly shared folders" +msgstr "" + +#: templates/admin.php:162 msgid "Allow resharing" msgstr "გადაზიარების დაშვება" -#: templates/admin.php:153 +#: templates/admin.php:163 msgid "Allow users to share items shared with them again" msgstr "მიეცით მომხმარებლებს უფლება რომ გააზიაროს მისთვის გაზიარებული" -#: templates/admin.php:160 +#: templates/admin.php:170 msgid "Allow users to share with anyone" msgstr "მიეცით უფლება მომხმარებლებს გააზიაროს ყველასთვის" -#: templates/admin.php:163 +#: templates/admin.php:173 msgid "Allow users to only share with users in their groups" msgstr "მიეცით უფლება მომხმარებლებს რომ გააზიაროს მხოლოდ თავიანთი ჯგუფისთვის" -#: templates/admin.php:170 +#: templates/admin.php:180 msgid "Security" msgstr "უსაფრთხოება" -#: templates/admin.php:183 +#: templates/admin.php:193 msgid "Enforce HTTPS" msgstr "HTTPS–ის ჩართვა" -#: templates/admin.php:184 +#: templates/admin.php:194 msgid "" "Enforces the clients to connect to ownCloud via an encrypted connection." msgstr "ვაიძულოთ მომხმარებლები რომ დაუკავშირდნენ ownCloud დაცული კავშირით (https)." -#: templates/admin.php:187 +#: templates/admin.php:197 msgid "" "Please connect to this ownCloud instance via HTTPS to enable or disable the " "SSL enforcement." msgstr "გთხოვთ დაუკავშირდეთ ownCloud–ს HTTPS–ით რომ შეძლოთ SSL–ის ჩართვა გამორთვა." -#: templates/admin.php:197 +#: templates/admin.php:207 msgid "Log" msgstr "ლოგი" -#: templates/admin.php:198 +#: templates/admin.php:208 msgid "Log level" msgstr "ლოგირების დონე" -#: templates/admin.php:229 +#: templates/admin.php:239 msgid "More" msgstr "უფრო მეტი" -#: templates/admin.php:230 +#: templates/admin.php:240 msgid "Less" msgstr "უფრო ნაკლები" -#: templates/admin.php:236 templates/personal.php:116 +#: templates/admin.php:246 templates/personal.php:116 msgid "Version" msgstr "ვერსია" -#: templates/admin.php:240 templates/personal.php:119 +#: templates/admin.php:250 templates/personal.php:119 msgid "" "Developed by the ownCloud community, the access your Files via WebDAV" +msgstr "" #: templates/users.php:21 msgid "Login Name" diff --git a/l10n/ka_GE/user_ldap.po b/l10n/ka_GE/user_ldap.po index 6527a313d7..546cab844a 100644 --- a/l10n/ka_GE/user_ldap.po +++ b/l10n/ka_GE/user_ldap.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: I Robot \n" "Language-Team: Georgian (Georgia) (http://www.transifex.com/projects/p/owncloud/language/ka_GE/)\n" "MIME-Version: 1.0\n" diff --git a/l10n/kn/core.po b/l10n/kn/core.po index 6f26c46e57..aef3d399ed 100644 --- a/l10n/kn/core.po +++ b/l10n/kn/core.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-06-29 02:03+0200\n" -"PO-Revision-Date: 2013-06-29 00:03+0000\n" +"POT-Creation-Date: 2013-07-06 02:02+0200\n" +"PO-Revision-Date: 2013-07-06 00:02+0000\n" "Last-Translator: I Robot \n" "Language-Team: Kannada (http://www.transifex.com/projects/p/owncloud/language/kn/)\n" "MIME-Version: 1.0\n" @@ -225,8 +225,8 @@ msgstr "" #: js/oc-vcategories.js:14 js/oc-vcategories.js:80 js/oc-vcategories.js:95 #: js/oc-vcategories.js:110 js/oc-vcategories.js:125 js/oc-vcategories.js:136 #: js/oc-vcategories.js:172 js/oc-vcategories.js:189 js/oc-vcategories.js:195 -#: js/oc-vcategories.js:199 js/share.js:136 js/share.js:143 js/share.js:618 -#: js/share.js:630 +#: js/oc-vcategories.js:199 js/share.js:136 js/share.js:143 js/share.js:620 +#: js/share.js:632 msgid "Error" msgstr "" @@ -246,7 +246,7 @@ msgstr "" msgid "Share" msgstr "" -#: js/share.js:125 js/share.js:658 +#: js/share.js:125 js/share.js:660 msgid "Error while sharing" msgstr "" @@ -282,87 +282,87 @@ msgstr "" msgid "Password" msgstr "" -#: js/share.js:186 +#: js/share.js:187 msgid "Allow Public Upload" msgstr "" -#: js/share.js:189 +#: js/share.js:191 msgid "Email link to person" msgstr "" -#: js/share.js:190 +#: js/share.js:192 msgid "Send" msgstr "" -#: js/share.js:195 +#: js/share.js:197 msgid "Set expiration date" msgstr "" -#: js/share.js:196 +#: js/share.js:198 msgid "Expiration date" msgstr "" -#: js/share.js:228 +#: js/share.js:230 msgid "Share via email:" msgstr "" -#: js/share.js:230 +#: js/share.js:232 msgid "No people found" msgstr "" -#: js/share.js:268 +#: js/share.js:270 msgid "Resharing is not allowed" msgstr "" -#: js/share.js:304 +#: js/share.js:306 msgid "Shared in {item} with {user}" msgstr "" -#: js/share.js:325 +#: js/share.js:327 msgid "Unshare" msgstr "" -#: js/share.js:337 +#: js/share.js:339 msgid "can edit" msgstr "" -#: js/share.js:339 +#: js/share.js:341 msgid "access control" msgstr "" -#: js/share.js:342 +#: js/share.js:344 msgid "create" msgstr "" -#: js/share.js:345 +#: js/share.js:347 msgid "update" msgstr "" -#: js/share.js:348 +#: js/share.js:350 msgid "delete" msgstr "" -#: js/share.js:351 +#: js/share.js:353 msgid "share" msgstr "" -#: js/share.js:385 js/share.js:605 +#: js/share.js:387 js/share.js:607 msgid "Password protected" msgstr "" -#: js/share.js:618 +#: js/share.js:620 msgid "Error unsetting expiration date" msgstr "" -#: js/share.js:630 +#: js/share.js:632 msgid "Error setting expiration date" msgstr "" -#: js/share.js:645 +#: js/share.js:647 msgid "Sending ..." msgstr "" -#: js/share.js:656 +#: js/share.js:658 msgid "Email sent" msgstr "" @@ -465,7 +465,7 @@ msgstr "" msgid "Cloud not found" msgstr "" -#: templates/altmail.php:2 +#: templates/altmail.php:4 #, php-format msgid "" "Hey there,\n" @@ -476,10 +476,6 @@ msgid "" "Cheers!" msgstr "" -#: templates/altmail.php:7 templates/mail.php:24 -msgid "web services under your control" -msgstr "" - #: templates/edit_categories_dialog.php:4 msgid "Edit categories" msgstr "" @@ -572,12 +568,12 @@ msgstr "" msgid "Finish setup" msgstr "" -#: templates/layout.user.php:40 +#: templates/layout.user.php:43 #, php-format msgid "%s is available. Get more information on how to update." msgstr "" -#: templates/layout.user.php:67 +#: templates/layout.user.php:68 msgid "Log out" msgstr "" @@ -611,7 +607,7 @@ msgstr "" msgid "Alternative Logins" msgstr "" -#: templates/mail.php:15 +#: templates/mail.php:16 #, php-format msgid "" "Hey there,

    just letting you know that %s shared »%s« with you.
    \n" "Language-Team: Kannada (http://www.transifex.com/projects/p/owncloud/language/kn/)\n" "MIME-Version: 1.0\n" @@ -27,54 +27,54 @@ msgstr "" msgid "Could not move %s" msgstr "" -#: ajax/upload.php:16 ajax/upload.php:39 +#: ajax/upload.php:16 ajax/upload.php:45 msgid "Unable to set upload directory." msgstr "" -#: ajax/upload.php:23 +#: ajax/upload.php:22 msgid "Invalid Token" msgstr "" -#: ajax/upload.php:55 +#: ajax/upload.php:59 msgid "No file was uploaded. Unknown error" msgstr "" -#: ajax/upload.php:62 +#: ajax/upload.php:66 msgid "There is no error, the file uploaded with success" msgstr "" -#: ajax/upload.php:63 +#: ajax/upload.php:67 msgid "" "The uploaded file exceeds the upload_max_filesize directive in php.ini: " msgstr "" -#: ajax/upload.php:65 +#: ajax/upload.php:69 msgid "" "The uploaded file exceeds the MAX_FILE_SIZE directive that was specified in " "the HTML form" msgstr "" -#: ajax/upload.php:66 +#: ajax/upload.php:70 msgid "The uploaded file was only partially uploaded" msgstr "" -#: ajax/upload.php:67 +#: ajax/upload.php:71 msgid "No file was uploaded" msgstr "" -#: ajax/upload.php:68 +#: ajax/upload.php:72 msgid "Missing a temporary folder" msgstr "" -#: ajax/upload.php:69 +#: ajax/upload.php:73 msgid "Failed to write to disk" msgstr "" -#: ajax/upload.php:87 +#: ajax/upload.php:91 msgid "Not enough storage available" msgstr "" -#: ajax/upload.php:119 +#: ajax/upload.php:123 msgid "Invalid directory." msgstr "" @@ -128,43 +128,43 @@ msgstr "" msgid "Rename" msgstr "" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:464 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:465 msgid "Pending" msgstr "" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "{new_name} already exists" msgstr "" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "replace" msgstr "" -#: js/filelist.js:302 +#: js/filelist.js:303 msgid "suggest name" msgstr "" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "cancel" msgstr "" -#: js/filelist.js:349 +#: js/filelist.js:350 msgid "replaced {new_name} with {old_name}" msgstr "" -#: js/filelist.js:349 +#: js/filelist.js:350 msgid "undo" msgstr "" -#: js/filelist.js:374 +#: js/filelist.js:375 msgid "perform delete operation" msgstr "" -#: js/filelist.js:456 +#: js/filelist.js:457 msgid "1 file uploading" msgstr "" -#: js/filelist.js:459 js/filelist.js:517 +#: js/filelist.js:460 js/filelist.js:518 msgid "files uploading" msgstr "" @@ -212,19 +212,19 @@ msgstr "" msgid "Modified" msgstr "" -#: js/files.js:765 +#: js/files.js:763 msgid "1 folder" msgstr "" -#: js/files.js:767 +#: js/files.js:765 msgid "{count} folders" msgstr "" -#: js/files.js:775 +#: js/files.js:773 msgid "1 file" msgstr "" -#: js/files.js:777 +#: js/files.js:775 msgid "{count} files" msgstr "" @@ -327,19 +327,19 @@ msgstr "" msgid "Current scanning" msgstr "" -#: templates/part.list.php:78 +#: templates/part.list.php:74 msgid "directory" msgstr "" -#: templates/part.list.php:80 +#: templates/part.list.php:76 msgid "directories" msgstr "" -#: templates/part.list.php:89 +#: templates/part.list.php:85 msgid "file" msgstr "" -#: templates/part.list.php:91 +#: templates/part.list.php:87 msgid "files" msgstr "" diff --git a/l10n/kn/lib.po b/l10n/kn/lib.po index 308114917b..9b637e4cf9 100644 --- a/l10n/kn/lib.po +++ b/l10n/kn/lib.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:13+0000\n" +"POT-Creation-Date: 2013-07-24 01:55-0400\n" +"PO-Revision-Date: 2013-07-24 05:55+0000\n" "Last-Translator: I Robot \n" "Language-Team: Kannada (http://www.transifex.com/projects/p/owncloud/language/kn/)\n" "MIME-Version: 1.0\n" @@ -41,27 +41,43 @@ msgstr "" msgid "Admin" msgstr "" +#: app.php:844 +#, php-format +msgid "Failed to upgrade \"%s\"." +msgstr "" + #: defaults.php:33 msgid "web services under your control" msgstr "" -#: files.php:210 +#: files.php:66 files.php:98 +#, php-format +msgid "cannot open \"%s\"" +msgstr "" + +#: files.php:226 msgid "ZIP download is turned off." msgstr "" -#: files.php:211 +#: files.php:227 msgid "Files need to be downloaded one by one." msgstr "" -#: files.php:212 files.php:245 +#: files.php:228 files.php:256 msgid "Back to Files" msgstr "" -#: files.php:242 +#: files.php:253 msgid "Selected files too large to generate zip file." msgstr "" -#: helper.php:236 +#: files.php:254 +msgid "" +"Download the files in smaller chunks, seperately or kindly ask your " +"administrator." +msgstr "" + +#: helper.php:235 msgid "couldn't be determined" msgstr "" @@ -170,77 +186,81 @@ msgstr "" msgid "PostgreSQL username and/or password not valid" msgstr "" -#: setup.php:42 +#: setup.php:28 msgid "Set an admin username." msgstr "" -#: setup.php:45 +#: setup.php:31 msgid "Set an admin password." msgstr "" -#: setup.php:198 +#: setup.php:184 msgid "" "Your web server is not yet properly setup to allow files synchronization " "because the WebDAV interface seems to be broken." msgstr "" -#: setup.php:199 +#: setup.php:185 #, php-format msgid "Please double check the installation guides." msgstr "" -#: template.php:113 +#: template/functions.php:80 msgid "seconds ago" msgstr "" -#: template.php:114 +#: template/functions.php:81 msgid "1 minute ago" msgstr "" -#: template.php:115 +#: template/functions.php:82 #, php-format msgid "%d minutes ago" msgstr "" -#: template.php:116 +#: template/functions.php:83 msgid "1 hour ago" msgstr "" -#: template.php:117 +#: template/functions.php:84 #, php-format msgid "%d hours ago" msgstr "" -#: template.php:118 +#: template/functions.php:85 msgid "today" msgstr "" -#: template.php:119 +#: template/functions.php:86 msgid "yesterday" msgstr "" -#: template.php:120 +#: template/functions.php:87 #, php-format msgid "%d days ago" msgstr "" -#: template.php:121 +#: template/functions.php:88 msgid "last month" msgstr "" -#: template.php:122 +#: template/functions.php:89 #, php-format msgid "%d months ago" msgstr "" -#: template.php:123 +#: template/functions.php:90 msgid "last year" msgstr "" -#: template.php:124 +#: template/functions.php:91 msgid "years ago" msgstr "" +#: template.php:296 +msgid "Caused by:" +msgstr "" + #: vcategories.php:188 vcategories.php:249 #, php-format msgid "Could not find category \"%s\"" diff --git a/l10n/kn/settings.po b/l10n/kn/settings.po index 27c2897d6e..517922a00c 100644 --- a/l10n/kn/settings.po +++ b/l10n/kn/settings.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-06-20 02:37+0200\n" -"PO-Revision-Date: 2013-06-20 00:37+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:55+0000\n" "Last-Translator: I Robot \n" "Language-Team: Kannada (http://www.transifex.com/projects/p/owncloud/language/kn/)\n" "MIME-Version: 1.0\n" @@ -88,35 +88,35 @@ msgstr "" msgid "Couldn't update app." msgstr "" -#: js/apps.js:30 +#: js/apps.js:35 msgid "Update to {appversion}" msgstr "" -#: js/apps.js:36 js/apps.js:76 +#: js/apps.js:41 js/apps.js:81 msgid "Disable" msgstr "" -#: js/apps.js:36 js/apps.js:64 js/apps.js:83 +#: js/apps.js:41 js/apps.js:69 js/apps.js:88 msgid "Enable" msgstr "" -#: js/apps.js:55 +#: js/apps.js:60 msgid "Please wait...." msgstr "" -#: js/apps.js:59 js/apps.js:71 js/apps.js:80 js/apps.js:93 +#: js/apps.js:64 js/apps.js:76 js/apps.js:85 js/apps.js:98 msgid "Error" msgstr "" -#: js/apps.js:90 +#: js/apps.js:95 msgid "Updating...." msgstr "" -#: js/apps.js:93 +#: js/apps.js:98 msgid "Error while updating app" msgstr "" -#: js/apps.js:96 +#: js/apps.js:101 msgid "Updated" msgstr "" @@ -165,15 +165,15 @@ msgstr "" msgid "A valid password must be provided" msgstr "" -#: personal.php:35 personal.php:36 +#: personal.php:37 personal.php:38 msgid "__language_name__" msgstr "" -#: templates/admin.php:15 +#: templates/admin.php:17 msgid "Security Warning" msgstr "" -#: templates/admin.php:18 +#: templates/admin.php:20 msgid "" "Your data directory and your files are probably accessible from the " "internet. The .htaccess file that ownCloud provides is not working. We " @@ -182,36 +182,36 @@ msgid "" " webserver document root." msgstr "" -#: templates/admin.php:29 +#: templates/admin.php:31 msgid "Setup Warning" msgstr "" -#: templates/admin.php:32 +#: templates/admin.php:34 msgid "" "Your web server is not yet properly setup to allow files synchronization " "because the WebDAV interface seems to be broken." msgstr "" -#: templates/admin.php:33 +#: templates/admin.php:35 #, php-format msgid "Please double check the installation guides." msgstr "" -#: templates/admin.php:44 +#: templates/admin.php:46 msgid "Module 'fileinfo' missing" msgstr "" -#: templates/admin.php:47 +#: templates/admin.php:49 msgid "" "The PHP module 'fileinfo' is missing. We strongly recommend to enable this " "module to get best results with mime-type detection." msgstr "" -#: templates/admin.php:58 +#: templates/admin.php:60 msgid "Locale not working" msgstr "" -#: templates/admin.php:63 +#: templates/admin.php:65 #, php-format msgid "" "This ownCloud server can't set system locale to %s. This means that there " @@ -219,11 +219,11 @@ msgid "" " to install the required packages on your system to support %s." msgstr "" -#: templates/admin.php:75 +#: templates/admin.php:77 msgid "Internet connection not working" msgstr "" -#: templates/admin.php:78 +#: templates/admin.php:80 msgid "" "This ownCloud server has no working internet connection. This means that " "some of the features like mounting of external storage, notifications about " @@ -233,102 +233,111 @@ msgid "" " of ownCloud." msgstr "" -#: templates/admin.php:92 +#: templates/admin.php:94 msgid "Cron" msgstr "" -#: templates/admin.php:101 +#: templates/admin.php:103 msgid "Execute one task with each page loaded" msgstr "" -#: templates/admin.php:111 +#: templates/admin.php:113 msgid "" "cron.php is registered at a webcron service. Call the cron.php page in the " "owncloud root once a minute over http." msgstr "" -#: templates/admin.php:121 +#: templates/admin.php:123 msgid "" "Use systems cron service. Call the cron.php file in the owncloud folder via " "a system cronjob once a minute." msgstr "" -#: templates/admin.php:128 +#: templates/admin.php:130 msgid "Sharing" msgstr "" -#: templates/admin.php:134 +#: templates/admin.php:136 msgid "Enable Share API" msgstr "" -#: templates/admin.php:135 +#: templates/admin.php:137 msgid "Allow apps to use the Share API" msgstr "" -#: templates/admin.php:142 +#: templates/admin.php:144 msgid "Allow links" msgstr "" -#: templates/admin.php:143 +#: templates/admin.php:145 msgid "Allow users to share items to the public with links" msgstr "" -#: templates/admin.php:150 +#: templates/admin.php:153 +msgid "Allow public uploads" +msgstr "" + +#: templates/admin.php:154 +msgid "" +"Allow users to enable others to upload into their publicly shared folders" +msgstr "" + +#: templates/admin.php:162 msgid "Allow resharing" msgstr "" -#: templates/admin.php:151 +#: templates/admin.php:163 msgid "Allow users to share items shared with them again" msgstr "" -#: templates/admin.php:158 +#: templates/admin.php:170 msgid "Allow users to share with anyone" msgstr "" -#: templates/admin.php:161 +#: templates/admin.php:173 msgid "Allow users to only share with users in their groups" msgstr "" -#: templates/admin.php:168 +#: templates/admin.php:180 msgid "Security" msgstr "" -#: templates/admin.php:181 +#: templates/admin.php:193 msgid "Enforce HTTPS" msgstr "" -#: templates/admin.php:182 +#: templates/admin.php:194 msgid "" "Enforces the clients to connect to ownCloud via an encrypted connection." msgstr "" -#: templates/admin.php:185 +#: templates/admin.php:197 msgid "" "Please connect to this ownCloud instance via HTTPS to enable or disable the " "SSL enforcement." msgstr "" -#: templates/admin.php:195 +#: templates/admin.php:207 msgid "Log" msgstr "" -#: templates/admin.php:196 +#: templates/admin.php:208 msgid "Log level" msgstr "" -#: templates/admin.php:227 +#: templates/admin.php:239 msgid "More" msgstr "" -#: templates/admin.php:228 +#: templates/admin.php:240 msgid "Less" msgstr "" -#: templates/admin.php:235 templates/personal.php:116 +#: templates/admin.php:246 templates/personal.php:116 msgid "Version" msgstr "" -#: templates/admin.php:237 templates/personal.php:119 +#: templates/admin.php:250 templates/personal.php:119 msgid "" "Developed by the ownCloud community, the %s of the available %s" msgstr "" -#: templates/personal.php:40 templates/users.php:23 templates/users.php:86 +#: templates/personal.php:41 templates/users.php:23 templates/users.php:86 msgid "Password" msgstr "" -#: templates/personal.php:41 +#: templates/personal.php:42 msgid "Your password was changed" msgstr "" -#: templates/personal.php:42 +#: templates/personal.php:43 msgid "Unable to change your password" msgstr "" -#: templates/personal.php:43 +#: templates/personal.php:44 msgid "Current password" msgstr "" -#: templates/personal.php:45 +#: templates/personal.php:46 msgid "New password" msgstr "" -#: templates/personal.php:47 +#: templates/personal.php:48 msgid "Change password" msgstr "" -#: templates/personal.php:59 templates/users.php:85 +#: templates/personal.php:60 templates/users.php:85 msgid "Display Name" msgstr "" -#: templates/personal.php:74 +#: templates/personal.php:75 msgid "Email" msgstr "" -#: templates/personal.php:76 +#: templates/personal.php:77 msgid "Your email address" msgstr "" -#: templates/personal.php:77 +#: templates/personal.php:78 msgid "Fill in an email address to enable password recovery" msgstr "" -#: templates/personal.php:86 templates/personal.php:87 +#: templates/personal.php:87 templates/personal.php:88 msgid "Language" msgstr "" -#: templates/personal.php:99 +#: templates/personal.php:100 msgid "Help translate" msgstr "" -#: templates/personal.php:105 +#: templates/personal.php:106 msgid "WebDAV" msgstr "" -#: templates/personal.php:107 -msgid "Use this address to connect to your ownCloud in your file manager" +#: templates/personal.php:108 +#, php-format +msgid "" +"Use this address to access your Files via WebDAV" msgstr "" #: templates/users.php:21 diff --git a/l10n/ko/core.po b/l10n/ko/core.po index b4ce4546cc..bb5c9fdd80 100644 --- a/l10n/ko/core.po +++ b/l10n/ko/core.po @@ -4,13 +4,14 @@ # # Translators: # Shinjo Park , 2013 +# smallsnail , 2013 msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:12+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:04+0000\n" +"Last-Translator: smallsnail \n" "Language-Team: Korean (http://www.transifex.com/projects/p/owncloud/language/ko/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -138,59 +139,59 @@ msgstr "11월" msgid "December" msgstr "12월" -#: js/js.js:289 +#: js/js.js:293 msgid "Settings" msgstr "설정" -#: js/js.js:721 +#: js/js.js:715 msgid "seconds ago" msgstr "초 전" -#: js/js.js:722 +#: js/js.js:716 msgid "1 minute ago" msgstr "1분 전" -#: js/js.js:723 +#: js/js.js:717 msgid "{minutes} minutes ago" msgstr "{minutes}분 전" -#: js/js.js:724 +#: js/js.js:718 msgid "1 hour ago" msgstr "1시간 전" -#: js/js.js:725 +#: js/js.js:719 msgid "{hours} hours ago" msgstr "{hours}시간 전" -#: js/js.js:726 +#: js/js.js:720 msgid "today" msgstr "오늘" -#: js/js.js:727 +#: js/js.js:721 msgid "yesterday" msgstr "어제" -#: js/js.js:728 +#: js/js.js:722 msgid "{days} days ago" msgstr "{days}일 전" -#: js/js.js:729 +#: js/js.js:723 msgid "last month" msgstr "지난 달" -#: js/js.js:730 +#: js/js.js:724 msgid "{months} months ago" msgstr "{months}개월 전" -#: js/js.js:731 +#: js/js.js:725 msgid "months ago" msgstr "개월 전" -#: js/js.js:732 +#: js/js.js:726 msgid "last year" msgstr "작년" -#: js/js.js:733 +#: js/js.js:727 msgid "years ago" msgstr "년 전" @@ -226,8 +227,8 @@ msgstr "객체 유형이 지정되지 않았습니다." #: js/oc-vcategories.js:14 js/oc-vcategories.js:80 js/oc-vcategories.js:95 #: js/oc-vcategories.js:110 js/oc-vcategories.js:125 js/oc-vcategories.js:136 #: js/oc-vcategories.js:172 js/oc-vcategories.js:189 js/oc-vcategories.js:195 -#: js/oc-vcategories.js:199 js/share.js:136 js/share.js:143 js/share.js:618 -#: js/share.js:630 +#: js/oc-vcategories.js:199 js/share.js:136 js/share.js:143 js/share.js:625 +#: js/share.js:637 msgid "Error" msgstr "오류" @@ -247,7 +248,7 @@ msgstr "공유됨" msgid "Share" msgstr "공유" -#: js/share.js:125 js/share.js:658 +#: js/share.js:125 js/share.js:665 msgid "Error while sharing" msgstr "공유하는 중 오류 발생" @@ -267,114 +268,114 @@ msgstr "{owner} 님이 여러분 및 그룹 {group}와(과) 공유 중" msgid "Shared with you by {owner}" msgstr "{owner} 님이 공유 중" -#: js/share.js:172 +#: js/share.js:177 msgid "Share with" msgstr "다음으로 공유" -#: js/share.js:177 +#: js/share.js:182 msgid "Share with link" msgstr "URL 링크로 공유" -#: js/share.js:180 +#: js/share.js:185 msgid "Password protect" msgstr "암호 보호" -#: js/share.js:182 templates/installation.php:54 templates/login.php:26 +#: js/share.js:187 templates/installation.php:54 templates/login.php:26 msgid "Password" msgstr "암호" -#: js/share.js:186 +#: js/share.js:192 msgid "Allow Public Upload" -msgstr "" +msgstr "퍼블릭 업로드 허용" -#: js/share.js:189 +#: js/share.js:196 msgid "Email link to person" msgstr "이메일 주소" -#: js/share.js:190 +#: js/share.js:197 msgid "Send" msgstr "전송" -#: js/share.js:195 +#: js/share.js:202 msgid "Set expiration date" msgstr "만료 날짜 설정" -#: js/share.js:196 +#: js/share.js:203 msgid "Expiration date" msgstr "만료 날짜" -#: js/share.js:228 +#: js/share.js:235 msgid "Share via email:" msgstr "이메일로 공유:" -#: js/share.js:230 +#: js/share.js:237 msgid "No people found" msgstr "발견된 사람 없음" -#: js/share.js:268 +#: js/share.js:275 msgid "Resharing is not allowed" msgstr "다시 공유할 수 없습니다" -#: js/share.js:304 +#: js/share.js:311 msgid "Shared in {item} with {user}" msgstr "{user} 님과 {item}에서 공유 중" -#: js/share.js:325 +#: js/share.js:332 msgid "Unshare" msgstr "공유 해제" -#: js/share.js:337 +#: js/share.js:344 msgid "can edit" msgstr "편집 가능" -#: js/share.js:339 +#: js/share.js:346 msgid "access control" msgstr "접근 제어" -#: js/share.js:342 +#: js/share.js:349 msgid "create" msgstr "생성" -#: js/share.js:345 +#: js/share.js:352 msgid "update" msgstr "업데이트" -#: js/share.js:348 +#: js/share.js:355 msgid "delete" msgstr "삭제" -#: js/share.js:351 +#: js/share.js:358 msgid "share" msgstr "공유" -#: js/share.js:385 js/share.js:605 +#: js/share.js:392 js/share.js:612 msgid "Password protected" msgstr "암호로 보호됨" -#: js/share.js:618 +#: js/share.js:625 msgid "Error unsetting expiration date" msgstr "만료 날짜 해제 오류" -#: js/share.js:630 +#: js/share.js:637 msgid "Error setting expiration date" msgstr "만료 날짜 설정 오류" -#: js/share.js:645 +#: js/share.js:652 msgid "Sending ..." msgstr "전송 중..." -#: js/share.js:656 +#: js/share.js:663 msgid "Email sent" msgstr "이메일 발송됨" -#: js/update.js:14 +#: js/update.js:17 msgid "" "The update was unsuccessful. Please report this issue to the ownCloud " "community." msgstr "업데이트가 실패하였습니다. 이 문제를 ownCloud 커뮤니티에 보고해 주십시오." -#: js/update.js:18 +#: js/update.js:21 msgid "The update was successful. Redirecting you to ownCloud now." msgstr "업데이트가 성공하였습니다. ownCloud로 돌아갑니다." @@ -395,7 +396,7 @@ msgstr "" #: lostpassword/templates/lostpassword.php:12 msgid "Request failed!
    Did you make sure your email/username was right?" -msgstr "" +msgstr "요청이 실패했습니다!
    email 주소와 사용자 명을 정확하게 넣으셨나요?" #: lostpassword/templates/lostpassword.php:15 msgid "You will receive a link to reset your password via Email." @@ -416,7 +417,7 @@ msgstr "" #: lostpassword/templates/lostpassword.php:24 msgid "Yes, I really want to reset my password now" -msgstr "" +msgstr "네, 전 제 비밀번호를 리셋하길 원합니다" #: lostpassword/templates/lostpassword.php:27 msgid "Request reset" @@ -466,7 +467,7 @@ msgstr "접근 금지됨" msgid "Cloud not found" msgstr "클라우드를 찾을 수 없습니다" -#: templates/altmail.php:2 +#: templates/altmail.php:4 #, php-format msgid "" "Hey there,\n" @@ -477,10 +478,6 @@ msgid "" "Cheers!" msgstr "" -#: templates/altmail.php:7 templates/mail.php:24 -msgid "web services under your control" -msgstr "내가 관리하는 웹 서비스" - #: templates/edit_categories_dialog.php:4 msgid "Edit categories" msgstr "분류 수정" @@ -612,7 +609,7 @@ msgstr "로그인" msgid "Alternative Logins" msgstr "대체 " -#: templates/mail.php:15 +#: templates/mail.php:16 #, php-format msgid "" "Hey there,

    just letting you know that %s shared »%s« with you.
    , 2013 -# Sungjin Gang , 2013 +# ujuc Gang , 2013 +# ujuc Gang , 2013 msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:12+0200\n" -"PO-Revision-Date: 2013-07-04 07:55+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:04+0000\n" "Last-Translator: I Robot \n" "Language-Team: Korean (http://www.transifex.com/projects/p/owncloud/language/ko/)\n" "MIME-Version: 1.0\n" @@ -29,54 +29,54 @@ msgstr "%s 항목을 이동시키지 못하였음 - 파일 이름이 이미 존 msgid "Could not move %s" msgstr "%s 항목을 이딩시키지 못하였음" -#: ajax/upload.php:16 ajax/upload.php:39 +#: ajax/upload.php:16 ajax/upload.php:45 msgid "Unable to set upload directory." msgstr "" -#: ajax/upload.php:23 +#: ajax/upload.php:22 msgid "Invalid Token" msgstr "" -#: ajax/upload.php:55 +#: ajax/upload.php:59 msgid "No file was uploaded. Unknown error" msgstr "파일이 업로드되지 않았습니다. 알 수 없는 오류입니다" -#: ajax/upload.php:62 +#: ajax/upload.php:66 msgid "There is no error, the file uploaded with success" msgstr "파일 업로드에 성공하였습니다." -#: ajax/upload.php:63 +#: ajax/upload.php:67 msgid "" "The uploaded file exceeds the upload_max_filesize directive in php.ini: " msgstr "업로드한 파일이 php.ini의 upload_max_filesize보다 큽니다:" -#: ajax/upload.php:65 +#: ajax/upload.php:69 msgid "" "The uploaded file exceeds the MAX_FILE_SIZE directive that was specified in " "the HTML form" msgstr "업로드한 파일 크기가 HTML 폼의 MAX_FILE_SIZE보다 큼" -#: ajax/upload.php:66 +#: ajax/upload.php:70 msgid "The uploaded file was only partially uploaded" msgstr "파일의 일부분만 업로드됨" -#: ajax/upload.php:67 +#: ajax/upload.php:71 msgid "No file was uploaded" msgstr "파일이 업로드되지 않았음" -#: ajax/upload.php:68 +#: ajax/upload.php:72 msgid "Missing a temporary folder" msgstr "임시 폴더가 없음" -#: ajax/upload.php:69 +#: ajax/upload.php:73 msgid "Failed to write to disk" msgstr "디스크에 쓰지 못했습니다" -#: ajax/upload.php:87 +#: ajax/upload.php:91 msgid "Not enough storage available" msgstr "저장소가 용량이 충분하지 않습니다." -#: ajax/upload.php:119 +#: ajax/upload.php:123 msgid "Invalid directory." msgstr "올바르지 않은 디렉터리입니다." @@ -130,43 +130,43 @@ msgstr "삭제" msgid "Rename" msgstr "이름 바꾸기" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:464 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:465 msgid "Pending" msgstr "대기 중" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "{new_name} already exists" msgstr "{new_name}이(가) 이미 존재함" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "replace" msgstr "바꾸기" -#: js/filelist.js:302 +#: js/filelist.js:303 msgid "suggest name" msgstr "이름 제안" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "cancel" msgstr "취소" -#: js/filelist.js:349 +#: js/filelist.js:350 msgid "replaced {new_name} with {old_name}" msgstr "{old_name}이(가) {new_name}(으)로 대체됨" -#: js/filelist.js:349 +#: js/filelist.js:350 msgid "undo" msgstr "되돌리기" -#: js/filelist.js:374 +#: js/filelist.js:375 msgid "perform delete operation" msgstr "삭제 작업중" -#: js/filelist.js:456 +#: js/filelist.js:457 msgid "1 file uploading" msgstr "파일 1개 업로드 중" -#: js/filelist.js:459 js/filelist.js:517 +#: js/filelist.js:460 js/filelist.js:518 msgid "files uploading" msgstr "파일 업로드중" @@ -214,19 +214,19 @@ msgstr "크기" msgid "Modified" msgstr "수정됨" -#: js/files.js:765 +#: js/files.js:763 msgid "1 folder" msgstr "폴더 1개" -#: js/files.js:767 +#: js/files.js:765 msgid "{count} folders" msgstr "폴더 {count}개" -#: js/files.js:775 +#: js/files.js:773 msgid "1 file" msgstr "파일 1개" -#: js/files.js:777 +#: js/files.js:775 msgid "{count} files" msgstr "파일 {count}개" @@ -329,19 +329,19 @@ msgstr "파일을 검색하고 있습니다. 기다려 주십시오." msgid "Current scanning" msgstr "현재 검색" -#: templates/part.list.php:78 +#: templates/part.list.php:74 msgid "directory" msgstr "" -#: templates/part.list.php:80 +#: templates/part.list.php:76 msgid "directories" msgstr "" -#: templates/part.list.php:89 +#: templates/part.list.php:85 msgid "file" msgstr "파일" -#: templates/part.list.php:91 +#: templates/part.list.php:87 msgid "files" msgstr "파일" diff --git a/l10n/ko/files_encryption.po b/l10n/ko/files_encryption.po index 8fe2f1bc3b..70a042b639 100644 --- a/l10n/ko/files_encryption.po +++ b/l10n/ko/files_encryption.po @@ -3,13 +3,14 @@ # This file is distributed under the same license as the PACKAGE package. # # Translators: +# smallsnail , 2013 msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:12+0200\n" -"PO-Revision-Date: 2013-07-05 00:13+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-22 09:20+0000\n" +"Last-Translator: smallsnail \n" "Language-Team: Korean (http://www.transifex.com/projects/p/owncloud/language/ko/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -37,15 +38,15 @@ msgstr "" #: ajax/changeRecoveryPassword.php:49 msgid "Password successfully changed." -msgstr "" +msgstr "암호가 성공적으로 변경되었습니다" #: ajax/changeRecoveryPassword.php:51 msgid "Could not change the password. Maybe the old password was not correct." -msgstr "" +msgstr "암호를 변경할수 없습니다. 아마도 예전 암호가 정확하지 않은것 같습니다." #: ajax/updatePrivateKeyPassword.php:51 msgid "Private key password successfully updated." -msgstr "" +msgstr "개인키 암호가 성공적으로 업데이트 됨." #: ajax/updatePrivateKeyPassword.php:53 msgid "" @@ -88,7 +89,7 @@ msgstr "" #: templates/invalid_private_key.php:7 msgid "personal settings" -msgstr "" +msgstr "개인 설정" #: templates/settings-admin.php:5 templates/settings-personal.php:4 msgid "Encryption" @@ -101,7 +102,7 @@ msgstr "" #: templates/settings-admin.php:14 msgid "Recovery key password" -msgstr "" +msgstr "키 비밀번호 복구" #: templates/settings-admin.php:21 templates/settings-personal.php:54 msgid "Enabled" @@ -113,19 +114,19 @@ msgstr "" #: templates/settings-admin.php:34 msgid "Change recovery key password:" -msgstr "" +msgstr "복구 키 비밀번호 변경" #: templates/settings-admin.php:41 msgid "Old Recovery key password" -msgstr "" +msgstr "예전 복구 키 비밀번호" #: templates/settings-admin.php:48 msgid "New Recovery key password" -msgstr "" +msgstr "새 복구 키 비밀번호" #: templates/settings-admin.php:53 msgid "Change Password" -msgstr "" +msgstr "암호 변경" #: templates/settings-personal.php:11 msgid "Your private key password no longer match your log-in password:" @@ -143,15 +144,15 @@ msgstr "" #: templates/settings-personal.php:24 msgid "Old log-in password" -msgstr "" +msgstr "예전 로그인 암호" #: templates/settings-personal.php:30 msgid "Current log-in password" -msgstr "" +msgstr "현재 로그인 암호" #: templates/settings-personal.php:35 msgid "Update Private Key Password" -msgstr "" +msgstr "개인 키 암호 업데이트" #: templates/settings-personal.php:45 msgid "Enable password recovery:" @@ -165,8 +166,8 @@ msgstr "" #: templates/settings-personal.php:63 msgid "File recovery settings updated" -msgstr "" +msgstr "파일 복구 설정 업데이트됨" #: templates/settings-personal.php:64 msgid "Could not update file recovery" -msgstr "" +msgstr "파일 복구를 업데이트 할수 없습니다" diff --git a/l10n/ko/files_external.po b/l10n/ko/files_external.po index cc510adbf8..54e54ee8da 100644 --- a/l10n/ko/files_external.po +++ b/l10n/ko/files_external.po @@ -8,8 +8,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: Shinjo Park \n" "Language-Team: Korean (http://www.transifex.com/projects/p/owncloud/language/ko/)\n" "MIME-Version: 1.0\n" @@ -38,20 +38,20 @@ msgstr "올바른 Dropbox 앱 키와 암호를 입력하십시오." msgid "Error configuring Google Drive storage" msgstr "Google 드라이브 저장소 설정 오류" -#: lib/config.php:431 +#: lib/config.php:447 msgid "" "Warning: \"smbclient\" is not installed. Mounting of CIFS/SMB shares " "is not possible. Please ask your system administrator to install it." msgstr "경고: \"smbclient\"가 설치되지 않았습니다. CIFS/SMB 공유 자원에 연결할 수 없습니다. 시스템 관리자에게 설치를 요청하십시오." -#: lib/config.php:434 +#: lib/config.php:450 msgid "" "Warning: The FTP support in PHP is not enabled or installed. Mounting" " of FTP shares is not possible. Please ask your system administrator to " "install it." msgstr "경고: PHP FTP 지원이 비활성화되어 있거나 설치되지 않았습니다. FTP 공유를 마운트할 수 없습니다. 시스템 관리자에게 설치를 요청하십시오." -#: lib/config.php:437 +#: lib/config.php:453 msgid "" "Warning: The Curl support in PHP is not enabled or installed. " "Mounting of ownCloud / WebDAV or GoogleDrive is not possible. Please ask " diff --git a/l10n/ko/files_sharing.po b/l10n/ko/files_sharing.po index 49ab0bf739..10bb8308d0 100644 --- a/l10n/ko/files_sharing.po +++ b/l10n/ko/files_sharing.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:13+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: I Robot \n" "Language-Team: Korean (http://www.transifex.com/projects/p/owncloud/language/ko/)\n" "MIME-Version: 1.0\n" @@ -39,18 +39,18 @@ msgstr "%s 님이 폴더 %s을(를) 공유하였습니다" msgid "%s shared the file %s with you" msgstr "%s 님이 파일 %s을(를) 공유하였습니다" -#: templates/public.php:28 templates/public.php:86 +#: templates/public.php:28 templates/public.php:90 msgid "Download" msgstr "다운로드" -#: templates/public.php:44 +#: templates/public.php:45 templates/public.php:48 msgid "Upload" msgstr "업로드" -#: templates/public.php:54 +#: templates/public.php:58 msgid "Cancel upload" msgstr "업로드 취소" -#: templates/public.php:83 +#: templates/public.php:87 msgid "No preview available for" msgstr "다음 항목을 미리 볼 수 없음:" diff --git a/l10n/ko/files_trashbin.po b/l10n/ko/files_trashbin.po index 876dd35ddc..8f1646893e 100644 --- a/l10n/ko/files_trashbin.po +++ b/l10n/ko/files_trashbin.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: I Robot \n" "Language-Team: Korean (http://www.transifex.com/projects/p/owncloud/language/ko/)\n" "MIME-Version: 1.0\n" diff --git a/l10n/ko/lib.po b/l10n/ko/lib.po index 7ca98be82a..720609c125 100644 --- a/l10n/ko/lib.po +++ b/l10n/ko/lib.po @@ -3,12 +3,13 @@ # This file is distributed under the same license as the PACKAGE package. # # Translators: +# smallsnail , 2013 msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:13+0000\n" +"POT-Creation-Date: 2013-07-24 01:55-0400\n" +"PO-Revision-Date: 2013-07-24 05:55+0000\n" "Last-Translator: I Robot \n" "Language-Team: Korean (http://www.transifex.com/projects/p/owncloud/language/ko/)\n" "MIME-Version: 1.0\n" @@ -41,27 +42,43 @@ msgstr "앱" msgid "Admin" msgstr "관리자" -#: defaults.php:33 -msgid "web services under your control" +#: app.php:844 +#, php-format +msgid "Failed to upgrade \"%s\"." msgstr "" -#: files.php:210 +#: defaults.php:33 +msgid "web services under your control" +msgstr "내가 관리하는 웹 서비스" + +#: files.php:66 files.php:98 +#, php-format +msgid "cannot open \"%s\"" +msgstr "" + +#: files.php:226 msgid "ZIP download is turned off." msgstr "ZIP 다운로드가 비활성화되었습니다." -#: files.php:211 +#: files.php:227 msgid "Files need to be downloaded one by one." msgstr "파일을 개별적으로 다운로드해야 합니다." -#: files.php:212 files.php:245 +#: files.php:228 files.php:256 msgid "Back to Files" msgstr "파일로 돌아가기" -#: files.php:242 +#: files.php:253 msgid "Selected files too large to generate zip file." msgstr "선택한 파일들은 ZIP 파일을 생성하기에 너무 큽니다." -#: helper.php:236 +#: files.php:254 +msgid "" +"Download the files in smaller chunks, seperately or kindly ask your " +"administrator." +msgstr "" + +#: helper.php:235 msgid "couldn't be determined" msgstr "결정할 수 없음" @@ -92,17 +109,17 @@ msgstr "그림" #: setup/abstractdatabase.php:22 #, php-format msgid "%s enter the database username." -msgstr "" +msgstr "데이터베이스 사용자 명을 %s 에 입력해주십시오" #: setup/abstractdatabase.php:25 #, php-format msgid "%s enter the database name." -msgstr "" +msgstr "데이터베이스 명을 %s 에 입력해주십시오" #: setup/abstractdatabase.php:28 #, php-format msgid "%s you may not use dots in the database name" -msgstr "" +msgstr "%s 에 적으신 데이터베이스 이름에는 점을 사용할수 없습니다" #: setup/mssql.php:20 #, php-format @@ -125,7 +142,7 @@ msgstr "" #: setup/postgresql.php:125 setup/postgresql.php:134 #, php-format msgid "DB Error: \"%s\"" -msgstr "" +msgstr "DB 오류: \"%s\"" #: setup/mysql.php:68 setup/oci.php:55 setup/oci.php:122 setup/oci.php:148 #: setup/oci.php:155 setup/oci.php:166 setup/oci.php:182 setup/oci.php:190 @@ -168,79 +185,83 @@ msgstr "" #: setup/postgresql.php:23 setup/postgresql.php:69 msgid "PostgreSQL username and/or password not valid" -msgstr "" +msgstr "PostgreSQL의 사용자 명 혹은 비밀번호가 잘못되었습니다" -#: setup.php:42 +#: setup.php:28 msgid "Set an admin username." -msgstr "" +msgstr "관리자 이름 설정" -#: setup.php:45 +#: setup.php:31 msgid "Set an admin password." -msgstr "" +msgstr "관리자 비밀번호 설정" -#: setup.php:198 +#: setup.php:184 msgid "" "Your web server is not yet properly setup to allow files synchronization " "because the WebDAV interface seems to be broken." msgstr "WebDAV 인터페이스가 제대로 작동하지 않습니다. 웹 서버에서 파일 동기화를 사용할 수 있도록 설정이 제대로 되지 않은 것 같습니다." -#: setup.php:199 +#: setup.php:185 #, php-format msgid "Please double check the installation guides." msgstr "설치 가이드를 다시 한 번 확인하십시오." -#: template.php:113 +#: template/functions.php:80 msgid "seconds ago" msgstr "초 전" -#: template.php:114 +#: template/functions.php:81 msgid "1 minute ago" msgstr "1분 전" -#: template.php:115 +#: template/functions.php:82 #, php-format msgid "%d minutes ago" msgstr "%d분 전" -#: template.php:116 +#: template/functions.php:83 msgid "1 hour ago" msgstr "1시간 전" -#: template.php:117 +#: template/functions.php:84 #, php-format msgid "%d hours ago" msgstr "%d시간 전" -#: template.php:118 +#: template/functions.php:85 msgid "today" msgstr "오늘" -#: template.php:119 +#: template/functions.php:86 msgid "yesterday" msgstr "어제" -#: template.php:120 +#: template/functions.php:87 #, php-format msgid "%d days ago" msgstr "%d일 전" -#: template.php:121 +#: template/functions.php:88 msgid "last month" msgstr "지난 달" -#: template.php:122 +#: template/functions.php:89 #, php-format msgid "%d months ago" msgstr "%d개월 전" -#: template.php:123 +#: template/functions.php:90 msgid "last year" msgstr "작년" -#: template.php:124 +#: template/functions.php:91 msgid "years ago" msgstr "년 전" +#: template.php:296 +msgid "Caused by:" +msgstr "" + #: vcategories.php:188 vcategories.php:249 #, php-format msgid "Could not find category \"%s\"" diff --git a/l10n/ko/settings.po b/l10n/ko/settings.po index c1cdbe64c9..f38b594cb6 100644 --- a/l10n/ko/settings.po +++ b/l10n/ko/settings.po @@ -8,8 +8,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:55+0000\n" "Last-Translator: I Robot \n" "Language-Team: Korean (http://www.transifex.com/projects/p/owncloud/language/ko/)\n" "MIME-Version: 1.0\n" @@ -274,62 +274,71 @@ msgstr "링크 허용" msgid "Allow users to share items to the public with links" msgstr "사용자가 개별 항목의 링크를 공유할 수 있도록 허용" -#: templates/admin.php:152 +#: templates/admin.php:153 +msgid "Allow public uploads" +msgstr "" + +#: templates/admin.php:154 +msgid "" +"Allow users to enable others to upload into their publicly shared folders" +msgstr "" + +#: templates/admin.php:162 msgid "Allow resharing" msgstr "재공유 허용" -#: templates/admin.php:153 +#: templates/admin.php:163 msgid "Allow users to share items shared with them again" msgstr "사용자에게 공유된 항목을 다시 공유할 수 있도록 허용" -#: templates/admin.php:160 +#: templates/admin.php:170 msgid "Allow users to share with anyone" msgstr "누구나와 공유할 수 있도록 허용" -#: templates/admin.php:163 +#: templates/admin.php:173 msgid "Allow users to only share with users in their groups" msgstr "사용자가 속해 있는 그룹의 사용자와만 공유할 수 있도록 허용" -#: templates/admin.php:170 +#: templates/admin.php:180 msgid "Security" msgstr "보안" -#: templates/admin.php:183 +#: templates/admin.php:193 msgid "Enforce HTTPS" msgstr "HTTPS 강제 사용" -#: templates/admin.php:184 +#: templates/admin.php:194 msgid "" "Enforces the clients to connect to ownCloud via an encrypted connection." msgstr "클라이언트가 ownCloud에 항상 암호화된 연결로 연결하도록 강제합니다." -#: templates/admin.php:187 +#: templates/admin.php:197 msgid "" "Please connect to this ownCloud instance via HTTPS to enable or disable the " "SSL enforcement." msgstr "SSL 강제 사용 설정을 변경하려면 ownCloud 인스턴스에 HTTPS로 연결하십시오." -#: templates/admin.php:197 +#: templates/admin.php:207 msgid "Log" msgstr "로그" -#: templates/admin.php:198 +#: templates/admin.php:208 msgid "Log level" msgstr "로그 단계" -#: templates/admin.php:229 +#: templates/admin.php:239 msgid "More" msgstr "더 중요함" -#: templates/admin.php:230 +#: templates/admin.php:240 msgid "Less" msgstr "덜 중요함" -#: templates/admin.php:236 templates/personal.php:116 +#: templates/admin.php:246 templates/personal.php:116 msgid "Version" msgstr "버전" -#: templates/admin.php:240 templates/personal.php:119 +#: templates/admin.php:250 templates/personal.php:119 msgid "" "Developed by the ownCloud community, the access your Files via WebDAV" +msgstr "" #: templates/users.php:21 msgid "Login Name" diff --git a/l10n/ko/user_ldap.po b/l10n/ko/user_ldap.po index 0ac6f84821..a2576de1a8 100644 --- a/l10n/ko/user_ldap.po +++ b/l10n/ko/user_ldap.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: I Robot \n" "Language-Team: Korean (http://www.transifex.com/projects/p/owncloud/language/ko/)\n" "MIME-Version: 1.0\n" diff --git a/l10n/ku_IQ/core.po b/l10n/ku_IQ/core.po index 8b5f204a03..14175c0115 100644 --- a/l10n/ku_IQ/core.po +++ b/l10n/ku_IQ/core.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:12+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:04+0000\n" "Last-Translator: I Robot \n" "Language-Team: Kurdish (Iraq) (http://www.transifex.com/projects/p/owncloud/language/ku_IQ/)\n" "MIME-Version: 1.0\n" @@ -137,59 +137,59 @@ msgstr "" msgid "December" msgstr "" -#: js/js.js:289 +#: js/js.js:293 msgid "Settings" msgstr "ده‌ستكاری" -#: js/js.js:721 +#: js/js.js:715 msgid "seconds ago" msgstr "" -#: js/js.js:722 +#: js/js.js:716 msgid "1 minute ago" msgstr "" -#: js/js.js:723 +#: js/js.js:717 msgid "{minutes} minutes ago" msgstr "" -#: js/js.js:724 +#: js/js.js:718 msgid "1 hour ago" msgstr "" -#: js/js.js:725 +#: js/js.js:719 msgid "{hours} hours ago" msgstr "" -#: js/js.js:726 +#: js/js.js:720 msgid "today" msgstr "" -#: js/js.js:727 +#: js/js.js:721 msgid "yesterday" msgstr "" -#: js/js.js:728 +#: js/js.js:722 msgid "{days} days ago" msgstr "" -#: js/js.js:729 +#: js/js.js:723 msgid "last month" msgstr "" -#: js/js.js:730 +#: js/js.js:724 msgid "{months} months ago" msgstr "" -#: js/js.js:731 +#: js/js.js:725 msgid "months ago" msgstr "" -#: js/js.js:732 +#: js/js.js:726 msgid "last year" msgstr "" -#: js/js.js:733 +#: js/js.js:727 msgid "years ago" msgstr "" @@ -225,8 +225,8 @@ msgstr "" #: js/oc-vcategories.js:14 js/oc-vcategories.js:80 js/oc-vcategories.js:95 #: js/oc-vcategories.js:110 js/oc-vcategories.js:125 js/oc-vcategories.js:136 #: js/oc-vcategories.js:172 js/oc-vcategories.js:189 js/oc-vcategories.js:195 -#: js/oc-vcategories.js:199 js/share.js:136 js/share.js:143 js/share.js:618 -#: js/share.js:630 +#: js/oc-vcategories.js:199 js/share.js:136 js/share.js:143 js/share.js:625 +#: js/share.js:637 msgid "Error" msgstr "هه‌ڵه" @@ -246,7 +246,7 @@ msgstr "" msgid "Share" msgstr "" -#: js/share.js:125 js/share.js:658 +#: js/share.js:125 js/share.js:665 msgid "Error while sharing" msgstr "" @@ -266,114 +266,114 @@ msgstr "" msgid "Shared with you by {owner}" msgstr "" -#: js/share.js:172 +#: js/share.js:177 msgid "Share with" msgstr "" -#: js/share.js:177 +#: js/share.js:182 msgid "Share with link" msgstr "" -#: js/share.js:180 +#: js/share.js:185 msgid "Password protect" msgstr "" -#: js/share.js:182 templates/installation.php:54 templates/login.php:26 +#: js/share.js:187 templates/installation.php:54 templates/login.php:26 msgid "Password" msgstr "وشەی تێپەربو" -#: js/share.js:186 +#: js/share.js:192 msgid "Allow Public Upload" msgstr "" -#: js/share.js:189 +#: js/share.js:196 msgid "Email link to person" msgstr "" -#: js/share.js:190 +#: js/share.js:197 msgid "Send" msgstr "" -#: js/share.js:195 +#: js/share.js:202 msgid "Set expiration date" msgstr "" -#: js/share.js:196 +#: js/share.js:203 msgid "Expiration date" msgstr "" -#: js/share.js:228 +#: js/share.js:235 msgid "Share via email:" msgstr "" -#: js/share.js:230 +#: js/share.js:237 msgid "No people found" msgstr "" -#: js/share.js:268 +#: js/share.js:275 msgid "Resharing is not allowed" msgstr "" -#: js/share.js:304 +#: js/share.js:311 msgid "Shared in {item} with {user}" msgstr "" -#: js/share.js:325 +#: js/share.js:332 msgid "Unshare" msgstr "" -#: js/share.js:337 +#: js/share.js:344 msgid "can edit" msgstr "" -#: js/share.js:339 +#: js/share.js:346 msgid "access control" msgstr "" -#: js/share.js:342 +#: js/share.js:349 msgid "create" msgstr "" -#: js/share.js:345 +#: js/share.js:352 msgid "update" msgstr "" -#: js/share.js:348 +#: js/share.js:355 msgid "delete" msgstr "" -#: js/share.js:351 +#: js/share.js:358 msgid "share" msgstr "" -#: js/share.js:385 js/share.js:605 +#: js/share.js:392 js/share.js:612 msgid "Password protected" msgstr "" -#: js/share.js:618 +#: js/share.js:625 msgid "Error unsetting expiration date" msgstr "" -#: js/share.js:630 +#: js/share.js:637 msgid "Error setting expiration date" msgstr "" -#: js/share.js:645 +#: js/share.js:652 msgid "Sending ..." msgstr "" -#: js/share.js:656 +#: js/share.js:663 msgid "Email sent" msgstr "" -#: js/update.js:14 +#: js/update.js:17 msgid "" "The update was unsuccessful. Please report this issue to the ownCloud " "community." msgstr "" -#: js/update.js:18 +#: js/update.js:21 msgid "The update was successful. Redirecting you to ownCloud now." msgstr "" @@ -465,7 +465,7 @@ msgstr "" msgid "Cloud not found" msgstr "هیچ نه‌دۆزرایه‌وه‌" -#: templates/altmail.php:2 +#: templates/altmail.php:4 #, php-format msgid "" "Hey there,\n" @@ -476,10 +476,6 @@ msgid "" "Cheers!" msgstr "" -#: templates/altmail.php:7 templates/mail.php:24 -msgid "web services under your control" -msgstr "ڕاژه‌ی وێب له‌ژێر چاودێریت دایه" - #: templates/edit_categories_dialog.php:4 msgid "Edit categories" msgstr "" @@ -611,7 +607,7 @@ msgstr "" msgid "Alternative Logins" msgstr "" -#: templates/mail.php:15 +#: templates/mail.php:16 #, php-format msgid "" "Hey there,

    just letting you know that %s shared »%s« with you.
    \n" "Language-Team: Kurdish (Iraq) (http://www.transifex.com/projects/p/owncloud/language/ku_IQ/)\n" "MIME-Version: 1.0\n" @@ -27,54 +27,54 @@ msgstr "" msgid "Could not move %s" msgstr "" -#: ajax/upload.php:16 ajax/upload.php:39 +#: ajax/upload.php:16 ajax/upload.php:45 msgid "Unable to set upload directory." msgstr "" -#: ajax/upload.php:23 +#: ajax/upload.php:22 msgid "Invalid Token" msgstr "" -#: ajax/upload.php:55 +#: ajax/upload.php:59 msgid "No file was uploaded. Unknown error" msgstr "" -#: ajax/upload.php:62 +#: ajax/upload.php:66 msgid "There is no error, the file uploaded with success" msgstr "" -#: ajax/upload.php:63 +#: ajax/upload.php:67 msgid "" "The uploaded file exceeds the upload_max_filesize directive in php.ini: " msgstr "" -#: ajax/upload.php:65 +#: ajax/upload.php:69 msgid "" "The uploaded file exceeds the MAX_FILE_SIZE directive that was specified in " "the HTML form" msgstr "" -#: ajax/upload.php:66 +#: ajax/upload.php:70 msgid "The uploaded file was only partially uploaded" msgstr "" -#: ajax/upload.php:67 +#: ajax/upload.php:71 msgid "No file was uploaded" msgstr "" -#: ajax/upload.php:68 +#: ajax/upload.php:72 msgid "Missing a temporary folder" msgstr "" -#: ajax/upload.php:69 +#: ajax/upload.php:73 msgid "Failed to write to disk" msgstr "" -#: ajax/upload.php:87 +#: ajax/upload.php:91 msgid "Not enough storage available" msgstr "" -#: ajax/upload.php:119 +#: ajax/upload.php:123 msgid "Invalid directory." msgstr "" @@ -128,43 +128,43 @@ msgstr "" msgid "Rename" msgstr "" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:464 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:465 msgid "Pending" msgstr "" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "{new_name} already exists" msgstr "" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "replace" msgstr "" -#: js/filelist.js:302 +#: js/filelist.js:303 msgid "suggest name" msgstr "" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "cancel" msgstr "" -#: js/filelist.js:349 +#: js/filelist.js:350 msgid "replaced {new_name} with {old_name}" msgstr "" -#: js/filelist.js:349 +#: js/filelist.js:350 msgid "undo" msgstr "" -#: js/filelist.js:374 +#: js/filelist.js:375 msgid "perform delete operation" msgstr "" -#: js/filelist.js:456 +#: js/filelist.js:457 msgid "1 file uploading" msgstr "" -#: js/filelist.js:459 js/filelist.js:517 +#: js/filelist.js:460 js/filelist.js:518 msgid "files uploading" msgstr "" @@ -212,19 +212,19 @@ msgstr "" msgid "Modified" msgstr "" -#: js/files.js:765 +#: js/files.js:763 msgid "1 folder" msgstr "" -#: js/files.js:767 +#: js/files.js:765 msgid "{count} folders" msgstr "" -#: js/files.js:775 +#: js/files.js:773 msgid "1 file" msgstr "" -#: js/files.js:777 +#: js/files.js:775 msgid "{count} files" msgstr "" @@ -327,19 +327,19 @@ msgstr "" msgid "Current scanning" msgstr "" -#: templates/part.list.php:78 +#: templates/part.list.php:74 msgid "directory" msgstr "" -#: templates/part.list.php:80 +#: templates/part.list.php:76 msgid "directories" msgstr "" -#: templates/part.list.php:89 +#: templates/part.list.php:85 msgid "file" msgstr "" -#: templates/part.list.php:91 +#: templates/part.list.php:87 msgid "files" msgstr "" diff --git a/l10n/ku_IQ/files_sharing.po b/l10n/ku_IQ/files_sharing.po index 4d8c6bf4df..5cde0384b4 100644 --- a/l10n/ku_IQ/files_sharing.po +++ b/l10n/ku_IQ/files_sharing.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:13+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: I Robot \n" "Language-Team: Kurdish (Iraq) (http://www.transifex.com/projects/p/owncloud/language/ku_IQ/)\n" "MIME-Version: 1.0\n" @@ -39,18 +39,18 @@ msgstr "%s دابه‌شی کردووه‌ بوخچه‌ی %s له‌گه‌ڵ msgid "%s shared the file %s with you" msgstr "%s دابه‌شی کردووه‌ په‌ڕگه‌یی %s له‌گه‌ڵ تۆ" -#: templates/public.php:28 templates/public.php:86 +#: templates/public.php:28 templates/public.php:90 msgid "Download" msgstr "داگرتن" -#: templates/public.php:44 +#: templates/public.php:45 templates/public.php:48 msgid "Upload" msgstr "بارکردن" -#: templates/public.php:54 +#: templates/public.php:58 msgid "Cancel upload" msgstr "" -#: templates/public.php:83 +#: templates/public.php:87 msgid "No preview available for" msgstr "هیچ پێشبینیه‌ك ئاماده‌ نیه بۆ" diff --git a/l10n/ku_IQ/files_trashbin.po b/l10n/ku_IQ/files_trashbin.po index a8848cb116..8eb7625f8c 100644 --- a/l10n/ku_IQ/files_trashbin.po +++ b/l10n/ku_IQ/files_trashbin.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: I Robot \n" "Language-Team: Kurdish (Iraq) (http://www.transifex.com/projects/p/owncloud/language/ku_IQ/)\n" "MIME-Version: 1.0\n" diff --git a/l10n/ku_IQ/lib.po b/l10n/ku_IQ/lib.po index 756f78fbb3..3c562c92d4 100644 --- a/l10n/ku_IQ/lib.po +++ b/l10n/ku_IQ/lib.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:13+0000\n" +"POT-Creation-Date: 2013-07-24 01:55-0400\n" +"PO-Revision-Date: 2013-07-24 05:55+0000\n" "Last-Translator: I Robot \n" "Language-Team: Kurdish (Iraq) (http://www.transifex.com/projects/p/owncloud/language/ku_IQ/)\n" "MIME-Version: 1.0\n" @@ -41,27 +41,43 @@ msgstr "به‌رنامه‌كان" msgid "Admin" msgstr "به‌ڕێوه‌به‌ری سه‌ره‌كی" -#: defaults.php:33 -msgid "web services under your control" +#: app.php:844 +#, php-format +msgid "Failed to upgrade \"%s\"." msgstr "" -#: files.php:210 +#: defaults.php:33 +msgid "web services under your control" +msgstr "ڕاژه‌ی وێب له‌ژێر چاودێریت دایه" + +#: files.php:66 files.php:98 +#, php-format +msgid "cannot open \"%s\"" +msgstr "" + +#: files.php:226 msgid "ZIP download is turned off." msgstr "" -#: files.php:211 +#: files.php:227 msgid "Files need to be downloaded one by one." msgstr "" -#: files.php:212 files.php:245 +#: files.php:228 files.php:256 msgid "Back to Files" msgstr "" -#: files.php:242 +#: files.php:253 msgid "Selected files too large to generate zip file." msgstr "" -#: helper.php:236 +#: files.php:254 +msgid "" +"Download the files in smaller chunks, seperately or kindly ask your " +"administrator." +msgstr "" + +#: helper.php:235 msgid "couldn't be determined" msgstr "" @@ -170,77 +186,81 @@ msgstr "" msgid "PostgreSQL username and/or password not valid" msgstr "" -#: setup.php:42 +#: setup.php:28 msgid "Set an admin username." msgstr "" -#: setup.php:45 +#: setup.php:31 msgid "Set an admin password." msgstr "" -#: setup.php:198 +#: setup.php:184 msgid "" "Your web server is not yet properly setup to allow files synchronization " "because the WebDAV interface seems to be broken." msgstr "" -#: setup.php:199 +#: setup.php:185 #, php-format msgid "Please double check the installation guides." msgstr "" -#: template.php:113 +#: template/functions.php:80 msgid "seconds ago" msgstr "" -#: template.php:114 +#: template/functions.php:81 msgid "1 minute ago" msgstr "" -#: template.php:115 +#: template/functions.php:82 #, php-format msgid "%d minutes ago" msgstr "" -#: template.php:116 +#: template/functions.php:83 msgid "1 hour ago" msgstr "" -#: template.php:117 +#: template/functions.php:84 #, php-format msgid "%d hours ago" msgstr "" -#: template.php:118 +#: template/functions.php:85 msgid "today" msgstr "" -#: template.php:119 +#: template/functions.php:86 msgid "yesterday" msgstr "" -#: template.php:120 +#: template/functions.php:87 #, php-format msgid "%d days ago" msgstr "" -#: template.php:121 +#: template/functions.php:88 msgid "last month" msgstr "" -#: template.php:122 +#: template/functions.php:89 #, php-format msgid "%d months ago" msgstr "" -#: template.php:123 +#: template/functions.php:90 msgid "last year" msgstr "" -#: template.php:124 +#: template/functions.php:91 msgid "years ago" msgstr "" +#: template.php:296 +msgid "Caused by:" +msgstr "" + #: vcategories.php:188 vcategories.php:249 #, php-format msgid "Could not find category \"%s\"" diff --git a/l10n/ku_IQ/settings.po b/l10n/ku_IQ/settings.po index ea96d59ab2..18e3c050e4 100644 --- a/l10n/ku_IQ/settings.po +++ b/l10n/ku_IQ/settings.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:55+0000\n" "Last-Translator: I Robot \n" "Language-Team: Kurdish (Iraq) (http://www.transifex.com/projects/p/owncloud/language/ku_IQ/)\n" "MIME-Version: 1.0\n" @@ -273,62 +273,71 @@ msgstr "" msgid "Allow users to share items to the public with links" msgstr "" -#: templates/admin.php:152 +#: templates/admin.php:153 +msgid "Allow public uploads" +msgstr "" + +#: templates/admin.php:154 +msgid "" +"Allow users to enable others to upload into their publicly shared folders" +msgstr "" + +#: templates/admin.php:162 msgid "Allow resharing" msgstr "" -#: templates/admin.php:153 +#: templates/admin.php:163 msgid "Allow users to share items shared with them again" msgstr "" -#: templates/admin.php:160 +#: templates/admin.php:170 msgid "Allow users to share with anyone" msgstr "" -#: templates/admin.php:163 +#: templates/admin.php:173 msgid "Allow users to only share with users in their groups" msgstr "" -#: templates/admin.php:170 +#: templates/admin.php:180 msgid "Security" msgstr "" -#: templates/admin.php:183 +#: templates/admin.php:193 msgid "Enforce HTTPS" msgstr "" -#: templates/admin.php:184 +#: templates/admin.php:194 msgid "" "Enforces the clients to connect to ownCloud via an encrypted connection." msgstr "" -#: templates/admin.php:187 +#: templates/admin.php:197 msgid "" "Please connect to this ownCloud instance via HTTPS to enable or disable the " "SSL enforcement." msgstr "" -#: templates/admin.php:197 +#: templates/admin.php:207 msgid "Log" msgstr "" -#: templates/admin.php:198 +#: templates/admin.php:208 msgid "Log level" msgstr "" -#: templates/admin.php:229 +#: templates/admin.php:239 msgid "More" msgstr "" -#: templates/admin.php:230 +#: templates/admin.php:240 msgid "Less" msgstr "" -#: templates/admin.php:236 templates/personal.php:116 +#: templates/admin.php:246 templates/personal.php:116 msgid "Version" msgstr "" -#: templates/admin.php:240 templates/personal.php:119 +#: templates/admin.php:250 templates/personal.php:119 msgid "" "Developed by the ownCloud community, the access your Files via WebDAV" msgstr "" #: templates/users.php:21 diff --git a/l10n/ku_IQ/user_ldap.po b/l10n/ku_IQ/user_ldap.po index bc07ba63a5..dbf1dfe053 100644 --- a/l10n/ku_IQ/user_ldap.po +++ b/l10n/ku_IQ/user_ldap.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: I Robot \n" "Language-Team: Kurdish (Iraq) (http://www.transifex.com/projects/p/owncloud/language/ku_IQ/)\n" "MIME-Version: 1.0\n" diff --git a/l10n/lb/core.po b/l10n/lb/core.po index 28b333e1ce..4773be4e39 100644 --- a/l10n/lb/core.po +++ b/l10n/lb/core.po @@ -8,9 +8,9 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:12+0000\n" -"Last-Translator: Michel Weimerskirch \n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:04+0000\n" +"Last-Translator: I Robot \n" "Language-Team: Luxembourgish (http://www.transifex.com/projects/p/owncloud/language/lb/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -138,59 +138,59 @@ msgstr "November" msgid "December" msgstr "Dezember" -#: js/js.js:289 +#: js/js.js:293 msgid "Settings" msgstr "Astellungen" -#: js/js.js:721 +#: js/js.js:715 msgid "seconds ago" msgstr "Sekonnen hir" -#: js/js.js:722 +#: js/js.js:716 msgid "1 minute ago" msgstr "1 Minutt hir" -#: js/js.js:723 +#: js/js.js:717 msgid "{minutes} minutes ago" msgstr "virun {minutes} Minutten" -#: js/js.js:724 +#: js/js.js:718 msgid "1 hour ago" msgstr "virun 1 Stonn" -#: js/js.js:725 +#: js/js.js:719 msgid "{hours} hours ago" msgstr "virun {hours} Stonnen" -#: js/js.js:726 +#: js/js.js:720 msgid "today" msgstr "haut" -#: js/js.js:727 +#: js/js.js:721 msgid "yesterday" msgstr "gëschter" -#: js/js.js:728 +#: js/js.js:722 msgid "{days} days ago" msgstr "virun {days} Deeg" -#: js/js.js:729 +#: js/js.js:723 msgid "last month" msgstr "leschte Mount" -#: js/js.js:730 +#: js/js.js:724 msgid "{months} months ago" msgstr "virun {months} Méint" -#: js/js.js:731 +#: js/js.js:725 msgid "months ago" msgstr "Méint hir" -#: js/js.js:732 +#: js/js.js:726 msgid "last year" msgstr "Lescht Joer" -#: js/js.js:733 +#: js/js.js:727 msgid "years ago" msgstr "Joren hir" @@ -226,8 +226,8 @@ msgstr "Den Typ vum Object ass net uginn." #: js/oc-vcategories.js:14 js/oc-vcategories.js:80 js/oc-vcategories.js:95 #: js/oc-vcategories.js:110 js/oc-vcategories.js:125 js/oc-vcategories.js:136 #: js/oc-vcategories.js:172 js/oc-vcategories.js:189 js/oc-vcategories.js:195 -#: js/oc-vcategories.js:199 js/share.js:136 js/share.js:143 js/share.js:618 -#: js/share.js:630 +#: js/oc-vcategories.js:199 js/share.js:136 js/share.js:143 js/share.js:625 +#: js/share.js:637 msgid "Error" msgstr "Feeler" @@ -247,7 +247,7 @@ msgstr "Gedeelt" msgid "Share" msgstr "Deelen" -#: js/share.js:125 js/share.js:658 +#: js/share.js:125 js/share.js:665 msgid "Error while sharing" msgstr "Feeler beim Deelen" @@ -267,114 +267,114 @@ msgstr "Gedeelt mat dir an der Grupp {group} vum {owner}" msgid "Shared with you by {owner}" msgstr "Gedeelt mat dir vum {owner}" -#: js/share.js:172 +#: js/share.js:177 msgid "Share with" msgstr "Deele mat" -#: js/share.js:177 +#: js/share.js:182 msgid "Share with link" msgstr "Mat Link deelen" -#: js/share.js:180 +#: js/share.js:185 msgid "Password protect" msgstr "Passwuertgeschützt" -#: js/share.js:182 templates/installation.php:54 templates/login.php:26 +#: js/share.js:187 templates/installation.php:54 templates/login.php:26 msgid "Password" msgstr "Passwuert" -#: js/share.js:186 +#: js/share.js:192 msgid "Allow Public Upload" msgstr "Ëffentlechen Upload erlaaben" -#: js/share.js:189 +#: js/share.js:196 msgid "Email link to person" msgstr "Link enger Persoun mailen" -#: js/share.js:190 +#: js/share.js:197 msgid "Send" msgstr "Schécken" -#: js/share.js:195 +#: js/share.js:202 msgid "Set expiration date" msgstr "Verfallsdatum setzen" -#: js/share.js:196 +#: js/share.js:203 msgid "Expiration date" msgstr "Verfallsdatum" -#: js/share.js:228 +#: js/share.js:235 msgid "Share via email:" msgstr "Via E-Mail deelen:" -#: js/share.js:230 +#: js/share.js:237 msgid "No people found" msgstr "Keng Persoune fonnt" -#: js/share.js:268 +#: js/share.js:275 msgid "Resharing is not allowed" msgstr "Weiderdeelen ass net erlaabt" -#: js/share.js:304 +#: js/share.js:311 msgid "Shared in {item} with {user}" msgstr "Gedeelt an {item} mat {user}" -#: js/share.js:325 +#: js/share.js:332 msgid "Unshare" msgstr "Net méi deelen" -#: js/share.js:337 +#: js/share.js:344 msgid "can edit" msgstr "kann änneren" -#: js/share.js:339 +#: js/share.js:346 msgid "access control" msgstr "Zougrëffskontroll" -#: js/share.js:342 +#: js/share.js:349 msgid "create" msgstr "erstellen" -#: js/share.js:345 +#: js/share.js:352 msgid "update" msgstr "aktualiséieren" -#: js/share.js:348 +#: js/share.js:355 msgid "delete" msgstr "läschen" -#: js/share.js:351 +#: js/share.js:358 msgid "share" msgstr "deelen" -#: js/share.js:385 js/share.js:605 +#: js/share.js:392 js/share.js:612 msgid "Password protected" msgstr "Passwuertgeschützt" -#: js/share.js:618 +#: js/share.js:625 msgid "Error unsetting expiration date" msgstr "Feeler beim Läsche vum Verfallsdatum" -#: js/share.js:630 +#: js/share.js:637 msgid "Error setting expiration date" msgstr "Feeler beim Setze vum Verfallsdatum" -#: js/share.js:645 +#: js/share.js:652 msgid "Sending ..." msgstr "Gëtt geschéckt..." -#: js/share.js:656 +#: js/share.js:663 msgid "Email sent" msgstr "Email geschéckt" -#: js/update.js:14 +#: js/update.js:17 msgid "" "The update was unsuccessful. Please report this issue to the ownCloud " "community." msgstr "Den Update war net erfollegräich. Mell dëse Problem w.e.gl derownCloud-Community." -#: js/update.js:18 +#: js/update.js:21 msgid "The update was successful. Redirecting you to ownCloud now." msgstr "Den Update war erfollegräich. Du gëss elo bei d'ownCloud ëmgeleet." @@ -466,7 +466,7 @@ msgstr "Zougrëff net erlaabt" msgid "Cloud not found" msgstr "Cloud net fonnt" -#: templates/altmail.php:2 +#: templates/altmail.php:4 #, php-format msgid "" "Hey there,\n" @@ -477,10 +477,6 @@ msgid "" "Cheers!" msgstr "Hallo,\n\nech wëll just Bescheed soen dass den/d' %s, »%s« mat dir gedeelt huet.\nKucken: %s\n\nE schéine Bonjour!" -#: templates/altmail.php:7 templates/mail.php:24 -msgid "web services under your control" -msgstr "Web-Servicer ënnert denger Kontroll" - #: templates/edit_categories_dialog.php:4 msgid "Edit categories" msgstr "Kategorien editéieren" @@ -612,7 +608,7 @@ msgstr "Umellen" msgid "Alternative Logins" msgstr "Alternativ Umeldungen" -#: templates/mail.php:15 +#: templates/mail.php:16 #, php-format msgid "" "Hey there,

    just letting you know that %s shared »%s« with you.
    \n" "Language-Team: Luxembourgish (http://www.transifex.com/projects/p/owncloud/language/lb/)\n" "MIME-Version: 1.0\n" @@ -27,54 +27,54 @@ msgstr "" msgid "Could not move %s" msgstr "" -#: ajax/upload.php:16 ajax/upload.php:39 +#: ajax/upload.php:16 ajax/upload.php:45 msgid "Unable to set upload directory." msgstr "" -#: ajax/upload.php:23 +#: ajax/upload.php:22 msgid "Invalid Token" msgstr "" -#: ajax/upload.php:55 +#: ajax/upload.php:59 msgid "No file was uploaded. Unknown error" msgstr "" -#: ajax/upload.php:62 +#: ajax/upload.php:66 msgid "There is no error, the file uploaded with success" msgstr "Keen Feeler, Datei ass komplett ropgelueden ginn" -#: ajax/upload.php:63 +#: ajax/upload.php:67 msgid "" "The uploaded file exceeds the upload_max_filesize directive in php.ini: " msgstr "" -#: ajax/upload.php:65 +#: ajax/upload.php:69 msgid "" "The uploaded file exceeds the MAX_FILE_SIZE directive that was specified in " "the HTML form" msgstr "Déi ropgelueden Datei ass méi grouss wei d'MAX_FILE_SIZE Eegenschaft déi an der HTML form uginn ass" -#: ajax/upload.php:66 +#: ajax/upload.php:70 msgid "The uploaded file was only partially uploaded" msgstr "Déi ropgelueden Datei ass nëmmen hallef ropgelueden ginn" -#: ajax/upload.php:67 +#: ajax/upload.php:71 msgid "No file was uploaded" msgstr "Et ass kee Fichier ropgeluede ginn" -#: ajax/upload.php:68 +#: ajax/upload.php:72 msgid "Missing a temporary folder" msgstr "Et feelt en temporären Dossier" -#: ajax/upload.php:69 +#: ajax/upload.php:73 msgid "Failed to write to disk" msgstr "Konnt net op den Disk schreiwen" -#: ajax/upload.php:87 +#: ajax/upload.php:91 msgid "Not enough storage available" msgstr "" -#: ajax/upload.php:119 +#: ajax/upload.php:123 msgid "Invalid directory." msgstr "" @@ -128,43 +128,43 @@ msgstr "Läschen" msgid "Rename" msgstr "" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:464 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:465 msgid "Pending" msgstr "" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "{new_name} already exists" msgstr "" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "replace" msgstr "ersetzen" -#: js/filelist.js:302 +#: js/filelist.js:303 msgid "suggest name" msgstr "" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "cancel" msgstr "ofbriechen" -#: js/filelist.js:349 +#: js/filelist.js:350 msgid "replaced {new_name} with {old_name}" msgstr "" -#: js/filelist.js:349 +#: js/filelist.js:350 msgid "undo" msgstr "réckgängeg man" -#: js/filelist.js:374 +#: js/filelist.js:375 msgid "perform delete operation" msgstr "" -#: js/filelist.js:456 +#: js/filelist.js:457 msgid "1 file uploading" msgstr "" -#: js/filelist.js:459 js/filelist.js:517 +#: js/filelist.js:460 js/filelist.js:518 msgid "files uploading" msgstr "" @@ -212,19 +212,19 @@ msgstr "Gréisst" msgid "Modified" msgstr "Geännert" -#: js/files.js:765 +#: js/files.js:763 msgid "1 folder" msgstr "" -#: js/files.js:767 +#: js/files.js:765 msgid "{count} folders" msgstr "" -#: js/files.js:775 +#: js/files.js:773 msgid "1 file" msgstr "" -#: js/files.js:777 +#: js/files.js:775 msgid "{count} files" msgstr "" @@ -327,19 +327,19 @@ msgstr "Fichieren gi gescannt, war weg." msgid "Current scanning" msgstr "Momentane Scan" -#: templates/part.list.php:78 +#: templates/part.list.php:74 msgid "directory" msgstr "" -#: templates/part.list.php:80 +#: templates/part.list.php:76 msgid "directories" msgstr "" -#: templates/part.list.php:89 +#: templates/part.list.php:85 msgid "file" msgstr "Datei" -#: templates/part.list.php:91 +#: templates/part.list.php:87 msgid "files" msgstr "Dateien" diff --git a/l10n/lb/files_external.po b/l10n/lb/files_external.po index 24e445eeca..faf8429b4e 100644 --- a/l10n/lb/files_external.po +++ b/l10n/lb/files_external.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: I Robot \n" "Language-Team: Luxembourgish (http://www.transifex.com/projects/p/owncloud/language/lb/)\n" "MIME-Version: 1.0\n" @@ -37,20 +37,20 @@ msgstr "" msgid "Error configuring Google Drive storage" msgstr "" -#: lib/config.php:431 +#: lib/config.php:447 msgid "" "Warning: \"smbclient\" is not installed. Mounting of CIFS/SMB shares " "is not possible. Please ask your system administrator to install it." msgstr "" -#: lib/config.php:434 +#: lib/config.php:450 msgid "" "Warning: The FTP support in PHP is not enabled or installed. Mounting" " of FTP shares is not possible. Please ask your system administrator to " "install it." msgstr "" -#: lib/config.php:437 +#: lib/config.php:453 msgid "" "Warning: The Curl support in PHP is not enabled or installed. " "Mounting of ownCloud / WebDAV or GoogleDrive is not possible. Please ask " diff --git a/l10n/lb/files_sharing.po b/l10n/lb/files_sharing.po index 38eb47a8fb..1575fc1547 100644 --- a/l10n/lb/files_sharing.po +++ b/l10n/lb/files_sharing.po @@ -3,13 +3,14 @@ # This file is distributed under the same license as the PACKAGE package. # # Translators: +# llaera , 2013 msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:13+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" +"Last-Translator: llaera \n" "Language-Team: Luxembourgish (http://www.transifex.com/projects/p/owncloud/language/lb/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -19,7 +20,7 @@ msgstr "" #: templates/authenticate.php:4 msgid "The password is wrong. Try again." -msgstr "" +msgstr "Den Passwuert ass incorrect. Probeier ed nach eng keier." #: templates/authenticate.php:7 msgid "Password" @@ -32,25 +33,25 @@ msgstr "Fortschécken" #: templates/public.php:17 #, php-format msgid "%s shared the folder %s with you" -msgstr "" +msgstr "%s huet den Dossier %s mad der gedeelt" #: templates/public.php:20 #, php-format msgid "%s shared the file %s with you" -msgstr "" +msgstr "%s deelt den Fichier %s mad dir" -#: templates/public.php:28 templates/public.php:86 +#: templates/public.php:28 templates/public.php:90 msgid "Download" msgstr "Download" -#: templates/public.php:44 +#: templates/public.php:45 templates/public.php:48 msgid "Upload" msgstr "Eroplueden" -#: templates/public.php:54 +#: templates/public.php:58 msgid "Cancel upload" msgstr "Upload ofbriechen" -#: templates/public.php:83 +#: templates/public.php:87 msgid "No preview available for" -msgstr "" +msgstr "Keeng Preview do fir" diff --git a/l10n/lb/files_trashbin.po b/l10n/lb/files_trashbin.po index 6c22764330..16059ecf97 100644 --- a/l10n/lb/files_trashbin.po +++ b/l10n/lb/files_trashbin.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 19:10+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: I Robot \n" "Language-Team: Luxembourgish (http://www.transifex.com/projects/p/owncloud/language/lb/)\n" "MIME-Version: 1.0\n" diff --git a/l10n/lb/lib.po b/l10n/lb/lib.po index 58acc8cbc9..12f02c1dd4 100644 --- a/l10n/lb/lib.po +++ b/l10n/lb/lib.po @@ -8,8 +8,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:13+0000\n" +"POT-Creation-Date: 2013-07-24 01:55-0400\n" +"PO-Revision-Date: 2013-07-24 05:55+0000\n" "Last-Translator: I Robot \n" "Language-Team: Luxembourgish (http://www.transifex.com/projects/p/owncloud/language/lb/)\n" "MIME-Version: 1.0\n" @@ -42,27 +42,43 @@ msgstr "Applikatiounen" msgid "Admin" msgstr "Admin" -#: defaults.php:33 -msgid "web services under your control" +#: app.php:844 +#, php-format +msgid "Failed to upgrade \"%s\"." msgstr "" -#: files.php:210 +#: defaults.php:33 +msgid "web services under your control" +msgstr "Web-Servicer ënnert denger Kontroll" + +#: files.php:66 files.php:98 +#, php-format +msgid "cannot open \"%s\"" +msgstr "" + +#: files.php:226 msgid "ZIP download is turned off." msgstr "" -#: files.php:211 +#: files.php:227 msgid "Files need to be downloaded one by one." msgstr "" -#: files.php:212 files.php:245 +#: files.php:228 files.php:256 msgid "Back to Files" msgstr "" -#: files.php:242 +#: files.php:253 msgid "Selected files too large to generate zip file." msgstr "" -#: helper.php:236 +#: files.php:254 +msgid "" +"Download the files in smaller chunks, seperately or kindly ask your " +"administrator." +msgstr "" + +#: helper.php:235 msgid "couldn't be determined" msgstr "" @@ -171,77 +187,81 @@ msgstr "" msgid "PostgreSQL username and/or password not valid" msgstr "" -#: setup.php:42 +#: setup.php:28 msgid "Set an admin username." msgstr "" -#: setup.php:45 +#: setup.php:31 msgid "Set an admin password." msgstr "" -#: setup.php:198 +#: setup.php:184 msgid "" "Your web server is not yet properly setup to allow files synchronization " "because the WebDAV interface seems to be broken." msgstr "" -#: setup.php:199 +#: setup.php:185 #, php-format msgid "Please double check the installation guides." msgstr "" -#: template.php:113 +#: template/functions.php:80 msgid "seconds ago" msgstr "Sekonnen hir" -#: template.php:114 +#: template/functions.php:81 msgid "1 minute ago" msgstr "1 Minutt hir" -#: template.php:115 +#: template/functions.php:82 #, php-format msgid "%d minutes ago" msgstr "" -#: template.php:116 +#: template/functions.php:83 msgid "1 hour ago" msgstr "vrun 1 Stonn" -#: template.php:117 +#: template/functions.php:84 #, php-format msgid "%d hours ago" msgstr "" -#: template.php:118 +#: template/functions.php:85 msgid "today" msgstr "haut" -#: template.php:119 +#: template/functions.php:86 msgid "yesterday" msgstr "gëschter" -#: template.php:120 +#: template/functions.php:87 #, php-format msgid "%d days ago" msgstr "" -#: template.php:121 +#: template/functions.php:88 msgid "last month" msgstr "Läschte Mount" -#: template.php:122 +#: template/functions.php:89 #, php-format msgid "%d months ago" msgstr "" -#: template.php:123 +#: template/functions.php:90 msgid "last year" msgstr "Läscht Joer" -#: template.php:124 +#: template/functions.php:91 msgid "years ago" msgstr "Joren hier" +#: template.php:296 +msgid "Caused by:" +msgstr "" + #: vcategories.php:188 vcategories.php:249 #, php-format msgid "Could not find category \"%s\"" diff --git a/l10n/lb/settings.po b/l10n/lb/settings.po index 7a8b99829c..7f25189fe1 100644 --- a/l10n/lb/settings.po +++ b/l10n/lb/settings.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 19:20+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:55+0000\n" "Last-Translator: I Robot \n" "Language-Team: Luxembourgish (http://www.transifex.com/projects/p/owncloud/language/lb/)\n" "MIME-Version: 1.0\n" @@ -273,62 +273,71 @@ msgstr "Links erlaben" msgid "Allow users to share items to the public with links" msgstr "" -#: templates/admin.php:152 +#: templates/admin.php:153 +msgid "Allow public uploads" +msgstr "" + +#: templates/admin.php:154 +msgid "" +"Allow users to enable others to upload into their publicly shared folders" +msgstr "" + +#: templates/admin.php:162 msgid "Allow resharing" msgstr "Resharing erlaben" -#: templates/admin.php:153 +#: templates/admin.php:163 msgid "Allow users to share items shared with them again" msgstr "" -#: templates/admin.php:160 +#: templates/admin.php:170 msgid "Allow users to share with anyone" msgstr "Useren erlaben mat egal wiem ze sharen" -#: templates/admin.php:163 +#: templates/admin.php:173 msgid "Allow users to only share with users in their groups" msgstr "Useren nëmmen erlaben mat Useren aus hirer Grupp ze sharen" -#: templates/admin.php:170 +#: templates/admin.php:180 msgid "Security" msgstr "" -#: templates/admin.php:183 +#: templates/admin.php:193 msgid "Enforce HTTPS" msgstr "" -#: templates/admin.php:184 +#: templates/admin.php:194 msgid "" "Enforces the clients to connect to ownCloud via an encrypted connection." msgstr "" -#: templates/admin.php:187 +#: templates/admin.php:197 msgid "" "Please connect to this ownCloud instance via HTTPS to enable or disable the " "SSL enforcement." msgstr "" -#: templates/admin.php:197 +#: templates/admin.php:207 msgid "Log" msgstr "Log" -#: templates/admin.php:198 +#: templates/admin.php:208 msgid "Log level" msgstr "" -#: templates/admin.php:229 +#: templates/admin.php:239 msgid "More" msgstr "Méi" -#: templates/admin.php:230 +#: templates/admin.php:240 msgid "Less" msgstr "" -#: templates/admin.php:236 templates/personal.php:116 +#: templates/admin.php:246 templates/personal.php:116 msgid "Version" msgstr "" -#: templates/admin.php:240 templates/personal.php:119 +#: templates/admin.php:250 templates/personal.php:119 msgid "" "Developed by the ownCloud community, the access your Files via WebDAV" msgstr "" #: templates/users.php:21 diff --git a/l10n/lb/user_ldap.po b/l10n/lb/user_ldap.po index 219f5cf307..beb8b07d68 100644 --- a/l10n/lb/user_ldap.po +++ b/l10n/lb/user_ldap.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 19:10+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: I Robot \n" "Language-Team: Luxembourgish (http://www.transifex.com/projects/p/owncloud/language/lb/)\n" "MIME-Version: 1.0\n" diff --git a/l10n/lt_LT/core.po b/l10n/lt_LT/core.po index b5f9d66468..d960944d87 100644 --- a/l10n/lt_LT/core.po +++ b/l10n/lt_LT/core.po @@ -9,8 +9,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:12+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:04+0000\n" "Last-Translator: I Robot \n" "Language-Team: Lithuanian (Lithuania) (http://www.transifex.com/projects/p/owncloud/language/lt_LT/)\n" "MIME-Version: 1.0\n" @@ -139,59 +139,59 @@ msgstr "Lapkritis" msgid "December" msgstr "Gruodis" -#: js/js.js:289 +#: js/js.js:293 msgid "Settings" msgstr "Nustatymai" -#: js/js.js:721 +#: js/js.js:715 msgid "seconds ago" msgstr "prieš sekundę" -#: js/js.js:722 +#: js/js.js:716 msgid "1 minute ago" msgstr "Prieš 1 minutę" -#: js/js.js:723 +#: js/js.js:717 msgid "{minutes} minutes ago" msgstr "Prieš {count} minutes" -#: js/js.js:724 +#: js/js.js:718 msgid "1 hour ago" msgstr "prieš 1 valandą" -#: js/js.js:725 +#: js/js.js:719 msgid "{hours} hours ago" msgstr "prieš {hours} valandas" -#: js/js.js:726 +#: js/js.js:720 msgid "today" msgstr "šiandien" -#: js/js.js:727 +#: js/js.js:721 msgid "yesterday" msgstr "vakar" -#: js/js.js:728 +#: js/js.js:722 msgid "{days} days ago" msgstr "Prieš {days} dienas" -#: js/js.js:729 +#: js/js.js:723 msgid "last month" msgstr "praeitą mėnesį" -#: js/js.js:730 +#: js/js.js:724 msgid "{months} months ago" msgstr "prieš {months} mėnesių" -#: js/js.js:731 +#: js/js.js:725 msgid "months ago" msgstr "prieš mėnesį" -#: js/js.js:732 +#: js/js.js:726 msgid "last year" msgstr "praeitais metais" -#: js/js.js:733 +#: js/js.js:727 msgid "years ago" msgstr "prieš metus" @@ -227,8 +227,8 @@ msgstr "Objekto tipas nenurodytas." #: js/oc-vcategories.js:14 js/oc-vcategories.js:80 js/oc-vcategories.js:95 #: js/oc-vcategories.js:110 js/oc-vcategories.js:125 js/oc-vcategories.js:136 #: js/oc-vcategories.js:172 js/oc-vcategories.js:189 js/oc-vcategories.js:195 -#: js/oc-vcategories.js:199 js/share.js:136 js/share.js:143 js/share.js:618 -#: js/share.js:630 +#: js/oc-vcategories.js:199 js/share.js:136 js/share.js:143 js/share.js:625 +#: js/share.js:637 msgid "Error" msgstr "Klaida" @@ -248,7 +248,7 @@ msgstr "Dalinamasi" msgid "Share" msgstr "Dalintis" -#: js/share.js:125 js/share.js:658 +#: js/share.js:125 js/share.js:665 msgid "Error while sharing" msgstr "Klaida, dalijimosi metu" @@ -268,114 +268,114 @@ msgstr "Pasidalino su Jumis ir {group} grupe {owner}" msgid "Shared with you by {owner}" msgstr "Pasidalino su Jumis {owner}" -#: js/share.js:172 +#: js/share.js:177 msgid "Share with" msgstr "Dalintis su" -#: js/share.js:177 +#: js/share.js:182 msgid "Share with link" msgstr "Dalintis nuoroda" -#: js/share.js:180 +#: js/share.js:185 msgid "Password protect" msgstr "Apsaugotas slaptažodžiu" -#: js/share.js:182 templates/installation.php:54 templates/login.php:26 +#: js/share.js:187 templates/installation.php:54 templates/login.php:26 msgid "Password" msgstr "Slaptažodis" -#: js/share.js:186 +#: js/share.js:192 msgid "Allow Public Upload" msgstr "" -#: js/share.js:189 +#: js/share.js:196 msgid "Email link to person" msgstr "Nusiųsti nuorodą paštu" -#: js/share.js:190 +#: js/share.js:197 msgid "Send" msgstr "Siųsti" -#: js/share.js:195 +#: js/share.js:202 msgid "Set expiration date" msgstr "Nustatykite galiojimo laiką" -#: js/share.js:196 +#: js/share.js:203 msgid "Expiration date" msgstr "Galiojimo laikas" -#: js/share.js:228 +#: js/share.js:235 msgid "Share via email:" msgstr "Dalintis per el. paštą:" -#: js/share.js:230 +#: js/share.js:237 msgid "No people found" msgstr "Žmonių nerasta" -#: js/share.js:268 +#: js/share.js:275 msgid "Resharing is not allowed" msgstr "Dalijinasis išnaujo negalimas" -#: js/share.js:304 +#: js/share.js:311 msgid "Shared in {item} with {user}" msgstr "Pasidalino {item} su {user}" -#: js/share.js:325 +#: js/share.js:332 msgid "Unshare" msgstr "Nebesidalinti" -#: js/share.js:337 +#: js/share.js:344 msgid "can edit" msgstr "gali redaguoti" -#: js/share.js:339 +#: js/share.js:346 msgid "access control" msgstr "priėjimo kontrolė" -#: js/share.js:342 +#: js/share.js:349 msgid "create" msgstr "sukurti" -#: js/share.js:345 +#: js/share.js:352 msgid "update" msgstr "atnaujinti" -#: js/share.js:348 +#: js/share.js:355 msgid "delete" msgstr "ištrinti" -#: js/share.js:351 +#: js/share.js:358 msgid "share" msgstr "dalintis" -#: js/share.js:385 js/share.js:605 +#: js/share.js:392 js/share.js:612 msgid "Password protected" msgstr "Apsaugota slaptažodžiu" -#: js/share.js:618 +#: js/share.js:625 msgid "Error unsetting expiration date" msgstr "Klaida nuimant galiojimo laiką" -#: js/share.js:630 +#: js/share.js:637 msgid "Error setting expiration date" msgstr "Klaida nustatant galiojimo laiką" -#: js/share.js:645 +#: js/share.js:652 msgid "Sending ..." msgstr "Siunčiama..." -#: js/share.js:656 +#: js/share.js:663 msgid "Email sent" msgstr "Laiškas išsiųstas" -#: js/update.js:14 +#: js/update.js:17 msgid "" "The update was unsuccessful. Please report this issue to the ownCloud " "community." msgstr "Atnaujinimas buvo nesėkmingas. PApie tai prašome pranešti the ownCloud bendruomenei." -#: js/update.js:18 +#: js/update.js:21 msgid "The update was successful. Redirecting you to ownCloud now." msgstr "Atnaujinimas buvo sėkmingas. Nukreipiame į jūsų ownCloud." @@ -467,7 +467,7 @@ msgstr "Priėjimas draudžiamas" msgid "Cloud not found" msgstr "Negalima rasti" -#: templates/altmail.php:2 +#: templates/altmail.php:4 #, php-format msgid "" "Hey there,\n" @@ -478,10 +478,6 @@ msgid "" "Cheers!" msgstr "" -#: templates/altmail.php:7 templates/mail.php:24 -msgid "web services under your control" -msgstr "jūsų valdomos web paslaugos" - #: templates/edit_categories_dialog.php:4 msgid "Edit categories" msgstr "Redaguoti kategorijas" @@ -613,7 +609,7 @@ msgstr "Prisijungti" msgid "Alternative Logins" msgstr "Alternatyvūs prisijungimai" -#: templates/mail.php:15 +#: templates/mail.php:16 #, php-format msgid "" "Hey there,

    just letting you know that %s shared »%s« with you.
    \n" "Language-Team: Lithuanian (Lithuania) (http://www.transifex.com/projects/p/owncloud/language/lt_LT/)\n" "MIME-Version: 1.0\n" @@ -28,54 +28,54 @@ msgstr "Nepavyko perkelti %s - failas su tokiu pavadinimu jau egzistuoja" msgid "Could not move %s" msgstr "Nepavyko perkelti %s" -#: ajax/upload.php:16 ajax/upload.php:39 +#: ajax/upload.php:16 ajax/upload.php:45 msgid "Unable to set upload directory." msgstr "" -#: ajax/upload.php:23 +#: ajax/upload.php:22 msgid "Invalid Token" msgstr "" -#: ajax/upload.php:55 +#: ajax/upload.php:59 msgid "No file was uploaded. Unknown error" msgstr "Failai nebuvo įkelti dėl nežinomos priežasties" -#: ajax/upload.php:62 +#: ajax/upload.php:66 msgid "There is no error, the file uploaded with success" msgstr "Failas įkeltas sėkmingai, be klaidų" -#: ajax/upload.php:63 +#: ajax/upload.php:67 msgid "" "The uploaded file exceeds the upload_max_filesize directive in php.ini: " msgstr "Įkeliamas failas yra didesnis nei leidžia upload_max_filesize php.ini faile:" -#: ajax/upload.php:65 +#: ajax/upload.php:69 msgid "" "The uploaded file exceeds the MAX_FILE_SIZE directive that was specified in " "the HTML form" msgstr "Įkeliamo failo dydis viršija MAX_FILE_SIZE nustatymą, kuris naudojamas HTML formoje." -#: ajax/upload.php:66 +#: ajax/upload.php:70 msgid "The uploaded file was only partially uploaded" msgstr "Failas buvo įkeltas tik dalinai" -#: ajax/upload.php:67 +#: ajax/upload.php:71 msgid "No file was uploaded" msgstr "Nebuvo įkeltas joks failas" -#: ajax/upload.php:68 +#: ajax/upload.php:72 msgid "Missing a temporary folder" msgstr "Nėra laikinojo katalogo" -#: ajax/upload.php:69 +#: ajax/upload.php:73 msgid "Failed to write to disk" msgstr "Nepavyko įrašyti į diską" -#: ajax/upload.php:87 +#: ajax/upload.php:91 msgid "Not enough storage available" msgstr "Nepakanka vietos serveryje" -#: ajax/upload.php:119 +#: ajax/upload.php:123 msgid "Invalid directory." msgstr "Neteisingas aplankas" @@ -129,43 +129,43 @@ msgstr "Ištrinti" msgid "Rename" msgstr "Pervadinti" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:464 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:465 msgid "Pending" msgstr "Laukiantis" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "{new_name} already exists" msgstr "{new_name} jau egzistuoja" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "replace" msgstr "pakeisti" -#: js/filelist.js:302 +#: js/filelist.js:303 msgid "suggest name" msgstr "pasiūlyti pavadinimą" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "cancel" msgstr "atšaukti" -#: js/filelist.js:349 +#: js/filelist.js:350 msgid "replaced {new_name} with {old_name}" msgstr "pakeiskite {new_name} į {old_name}" -#: js/filelist.js:349 +#: js/filelist.js:350 msgid "undo" msgstr "anuliuoti" -#: js/filelist.js:374 +#: js/filelist.js:375 msgid "perform delete operation" msgstr "ištrinti" -#: js/filelist.js:456 +#: js/filelist.js:457 msgid "1 file uploading" msgstr "įkeliamas 1 failas" -#: js/filelist.js:459 js/filelist.js:517 +#: js/filelist.js:460 js/filelist.js:518 msgid "files uploading" msgstr "įkeliami failai" @@ -213,19 +213,19 @@ msgstr "Dydis" msgid "Modified" msgstr "Pakeista" -#: js/files.js:765 +#: js/files.js:763 msgid "1 folder" msgstr "1 aplankalas" -#: js/files.js:767 +#: js/files.js:765 msgid "{count} folders" msgstr "{count} aplankalai" -#: js/files.js:775 +#: js/files.js:773 msgid "1 file" msgstr "1 failas" -#: js/files.js:777 +#: js/files.js:775 msgid "{count} files" msgstr "{count} failai" @@ -328,19 +328,19 @@ msgstr "Skenuojami failai, prašome palaukti." msgid "Current scanning" msgstr "Šiuo metu skenuojama" -#: templates/part.list.php:78 +#: templates/part.list.php:74 msgid "directory" msgstr "" -#: templates/part.list.php:80 +#: templates/part.list.php:76 msgid "directories" msgstr "" -#: templates/part.list.php:89 +#: templates/part.list.php:85 msgid "file" msgstr "failas" -#: templates/part.list.php:91 +#: templates/part.list.php:87 msgid "files" msgstr "failai" diff --git a/l10n/lt_LT/files_external.po b/l10n/lt_LT/files_external.po index 28437191ca..4347ca073d 100644 --- a/l10n/lt_LT/files_external.po +++ b/l10n/lt_LT/files_external.po @@ -8,8 +8,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: Min2liz \n" "Language-Team: Lithuanian (Lithuania) (http://www.transifex.com/projects/p/owncloud/language/lt_LT/)\n" "MIME-Version: 1.0\n" @@ -38,20 +38,20 @@ msgstr "Prašome įvesti teisingus Dropbox \"app key\" ir \"secret\"." msgid "Error configuring Google Drive storage" msgstr "Klaida nustatinėjant Google Drive talpyklą" -#: lib/config.php:431 +#: lib/config.php:447 msgid "" "Warning: \"smbclient\" is not installed. Mounting of CIFS/SMB shares " "is not possible. Please ask your system administrator to install it." msgstr "Įspėjimas: \"smbclient\" nėra įdiegtas. CIFS/SMB dalinimasis nėra galimas. Prašome susisiekti su sistemos administratoriumi kad būtų įdiegtas \"smbclient\"" -#: lib/config.php:434 +#: lib/config.php:450 msgid "" "Warning: The FTP support in PHP is not enabled or installed. Mounting" " of FTP shares is not possible. Please ask your system administrator to " "install it." msgstr "Įspėjimas: FTP palaikymas PHP sistemoje nėra įjungtas arba nėra įdiegtas. FTP dalinimosi įjungimas nėra galimas. Prašome susisiekti su sistemos administratoriumi kad būtų įdiegtas FTP palaikymas. " -#: lib/config.php:437 +#: lib/config.php:453 msgid "" "Warning: The Curl support in PHP is not enabled or installed. " "Mounting of ownCloud / WebDAV or GoogleDrive is not possible. Please ask " diff --git a/l10n/lt_LT/files_sharing.po b/l10n/lt_LT/files_sharing.po index 07eee4f146..c6d59f11cd 100644 --- a/l10n/lt_LT/files_sharing.po +++ b/l10n/lt_LT/files_sharing.po @@ -8,8 +8,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:13+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: I Robot \n" "Language-Team: Lithuanian (Lithuania) (http://www.transifex.com/projects/p/owncloud/language/lt_LT/)\n" "MIME-Version: 1.0\n" @@ -40,18 +40,18 @@ msgstr "%s pasidalino su jumis %s aplanku" msgid "%s shared the file %s with you" msgstr "%s pasidalino su jumis %s failu" -#: templates/public.php:28 templates/public.php:86 +#: templates/public.php:28 templates/public.php:90 msgid "Download" msgstr "Atsisiųsti" -#: templates/public.php:44 +#: templates/public.php:45 templates/public.php:48 msgid "Upload" msgstr "Įkelti" -#: templates/public.php:54 +#: templates/public.php:58 msgid "Cancel upload" msgstr "Atšaukti siuntimą" -#: templates/public.php:83 +#: templates/public.php:87 msgid "No preview available for" msgstr "Peržiūra nėra galima" diff --git a/l10n/lt_LT/files_trashbin.po b/l10n/lt_LT/files_trashbin.po index 76ee3a80b6..d0dd18b6ea 100644 --- a/l10n/lt_LT/files_trashbin.po +++ b/l10n/lt_LT/files_trashbin.po @@ -8,8 +8,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: fizikiukas \n" "Language-Team: Lithuanian (Lithuania) (http://www.transifex.com/projects/p/owncloud/language/lt_LT/)\n" "MIME-Version: 1.0\n" diff --git a/l10n/lt_LT/lib.po b/l10n/lt_LT/lib.po index 51e72311b5..c91fa67de3 100644 --- a/l10n/lt_LT/lib.po +++ b/l10n/lt_LT/lib.po @@ -8,8 +8,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:13+0000\n" +"POT-Creation-Date: 2013-07-24 01:55-0400\n" +"PO-Revision-Date: 2013-07-24 05:55+0000\n" "Last-Translator: I Robot \n" "Language-Team: Lithuanian (Lithuania) (http://www.transifex.com/projects/p/owncloud/language/lt_LT/)\n" "MIME-Version: 1.0\n" @@ -42,27 +42,43 @@ msgstr "Programos" msgid "Admin" msgstr "Administravimas" -#: defaults.php:33 -msgid "web services under your control" +#: app.php:844 +#, php-format +msgid "Failed to upgrade \"%s\"." msgstr "" -#: files.php:210 +#: defaults.php:33 +msgid "web services under your control" +msgstr "jūsų valdomos web paslaugos" + +#: files.php:66 files.php:98 +#, php-format +msgid "cannot open \"%s\"" +msgstr "" + +#: files.php:226 msgid "ZIP download is turned off." msgstr "ZIP atsisiuntimo galimybė yra išjungta." -#: files.php:211 +#: files.php:227 msgid "Files need to be downloaded one by one." msgstr "Failai turi būti parsiunčiami vienas po kito." -#: files.php:212 files.php:245 +#: files.php:228 files.php:256 msgid "Back to Files" msgstr "Atgal į Failus" -#: files.php:242 +#: files.php:253 msgid "Selected files too large to generate zip file." msgstr "Pasirinkti failai per dideli archyvavimui į ZIP." -#: helper.php:236 +#: files.php:254 +msgid "" +"Download the files in smaller chunks, seperately or kindly ask your " +"administrator." +msgstr "" + +#: helper.php:235 msgid "couldn't be determined" msgstr "" @@ -171,77 +187,81 @@ msgstr "" msgid "PostgreSQL username and/or password not valid" msgstr "" -#: setup.php:42 +#: setup.php:28 msgid "Set an admin username." msgstr "" -#: setup.php:45 +#: setup.php:31 msgid "Set an admin password." msgstr "" -#: setup.php:198 +#: setup.php:184 msgid "" "Your web server is not yet properly setup to allow files synchronization " "because the WebDAV interface seems to be broken." msgstr "" -#: setup.php:199 +#: setup.php:185 #, php-format msgid "Please double check the installation guides." msgstr "" -#: template.php:113 +#: template/functions.php:80 msgid "seconds ago" msgstr "prieš sekundę" -#: template.php:114 +#: template/functions.php:81 msgid "1 minute ago" msgstr "Prieš 1 minutę" -#: template.php:115 +#: template/functions.php:82 #, php-format msgid "%d minutes ago" msgstr "prieš %d minučių" -#: template.php:116 +#: template/functions.php:83 msgid "1 hour ago" msgstr "prieš 1 valandą" -#: template.php:117 +#: template/functions.php:84 #, php-format msgid "%d hours ago" msgstr "prieš %d valandų" -#: template.php:118 +#: template/functions.php:85 msgid "today" msgstr "šiandien" -#: template.php:119 +#: template/functions.php:86 msgid "yesterday" msgstr "vakar" -#: template.php:120 +#: template/functions.php:87 #, php-format msgid "%d days ago" msgstr "prieš %d dienų" -#: template.php:121 +#: template/functions.php:88 msgid "last month" msgstr "praeitą mėnesį" -#: template.php:122 +#: template/functions.php:89 #, php-format msgid "%d months ago" msgstr "prieš %d mėnesių" -#: template.php:123 +#: template/functions.php:90 msgid "last year" msgstr "praeitais metais" -#: template.php:124 +#: template/functions.php:91 msgid "years ago" msgstr "prieš metus" +#: template.php:296 +msgid "Caused by:" +msgstr "" + #: vcategories.php:188 vcategories.php:249 #, php-format msgid "Could not find category \"%s\"" diff --git a/l10n/lt_LT/settings.po b/l10n/lt_LT/settings.po index 770dc44c77..8e27e4da55 100644 --- a/l10n/lt_LT/settings.po +++ b/l10n/lt_LT/settings.po @@ -3,12 +3,13 @@ # This file is distributed under the same license as the PACKAGE package. # # Translators: +# fizikiukas , 2013 msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:55+0000\n" "Last-Translator: I Robot \n" "Language-Team: Lithuanian (Lithuania) (http://www.transifex.com/projects/p/owncloud/language/lt_LT/)\n" "MIME-Version: 1.0\n" @@ -36,11 +37,11 @@ msgstr "" #: ajax/creategroup.php:10 msgid "Group already exists" -msgstr "" +msgstr "Grupė jau egzistuoja" #: ajax/creategroup.php:19 msgid "Unable to add group" -msgstr "" +msgstr "Nepavyko pridėti grupės" #: ajax/enableapp.php:11 msgid "Could not enable app. " @@ -56,11 +57,11 @@ msgstr "Netinkamas el. paštas" #: ajax/removegroup.php:13 msgid "Unable to delete group" -msgstr "" +msgstr "Nepavyko ištrinti grupės" #: ajax/removeuser.php:25 msgid "Unable to delete user" -msgstr "" +msgstr "Nepavyko ištrinti vartotojo" #: ajax/setlanguage.php:15 msgid "Language changed" @@ -77,20 +78,20 @@ msgstr "" #: ajax/togglegroups.php:30 #, php-format msgid "Unable to add user to group %s" -msgstr "" +msgstr "Nepavyko pridėti vartotojo prie grupės %s" #: ajax/togglegroups.php:36 #, php-format msgid "Unable to remove user from group %s" -msgstr "" +msgstr "Nepavyko ištrinti vartotojo iš grupės %s" #: ajax/updateapp.php:14 msgid "Couldn't update app." -msgstr "" +msgstr "Nepavyko atnaujinti programos." #: js/apps.js:35 msgid "Update to {appversion}" -msgstr "" +msgstr "Atnaujinti iki {appversion}" #: js/apps.js:41 js/apps.js:81 msgid "Disable" @@ -102,7 +103,7 @@ msgstr "Įjungti" #: js/apps.js:60 msgid "Please wait...." -msgstr "" +msgstr "Prašome palaukti..." #: js/apps.js:64 js/apps.js:76 js/apps.js:85 js/apps.js:98 msgid "Error" @@ -110,15 +111,15 @@ msgstr "Klaida" #: js/apps.js:95 msgid "Updating...." -msgstr "" +msgstr "Atnaujinama..." #: js/apps.js:98 msgid "Error while updating app" -msgstr "" +msgstr "Įvyko klaida atnaujinant programą" #: js/apps.js:101 msgid "Updated" -msgstr "" +msgstr "Atnaujinta" #: js/personal.js:118 msgid "Saving..." @@ -126,7 +127,7 @@ msgstr "Saugoma..." #: js/users.js:47 msgid "deleted" -msgstr "" +msgstr "ištrinta" #: js/users.js:47 msgid "undo" @@ -134,7 +135,7 @@ msgstr "anuliuoti" #: js/users.js:79 msgid "Unable to remove user" -msgstr "" +msgstr "Nepavyko ištrinti vartotojo" #: js/users.js:92 templates/users.php:26 templates/users.php:87 #: templates/users.php:112 @@ -151,19 +152,19 @@ msgstr "Ištrinti" #: js/users.js:269 msgid "add group" -msgstr "" +msgstr "pridėti grupę" #: js/users.js:428 msgid "A valid username must be provided" -msgstr "" +msgstr "Vartotojo vardas turi būti tinkamas" #: js/users.js:429 js/users.js:435 js/users.js:450 msgid "Error creating user" -msgstr "" +msgstr "Klaida kuriant vartotoją" #: js/users.js:434 msgid "A valid password must be provided" -msgstr "" +msgstr "Slaptažodis turi būti tinkamas" #: personal.php:37 personal.php:38 msgid "__language_name__" @@ -199,7 +200,7 @@ msgstr "" #: templates/admin.php:46 msgid "Module 'fileinfo' missing" -msgstr "" +msgstr "Trūksta 'fileinfo' modulio" #: templates/admin.php:49 msgid "" @@ -267,68 +268,77 @@ msgstr "" #: templates/admin.php:144 msgid "Allow links" -msgstr "" +msgstr "Lesti nuorodas" #: templates/admin.php:145 msgid "Allow users to share items to the public with links" msgstr "" -#: templates/admin.php:152 -msgid "Allow resharing" +#: templates/admin.php:153 +msgid "Allow public uploads" msgstr "" -#: templates/admin.php:153 +#: templates/admin.php:154 +msgid "" +"Allow users to enable others to upload into their publicly shared folders" +msgstr "" + +#: templates/admin.php:162 +msgid "Allow resharing" +msgstr "Leisti dalintis" + +#: templates/admin.php:163 msgid "Allow users to share items shared with them again" msgstr "" -#: templates/admin.php:160 +#: templates/admin.php:170 msgid "Allow users to share with anyone" msgstr "" -#: templates/admin.php:163 +#: templates/admin.php:173 msgid "Allow users to only share with users in their groups" msgstr "" -#: templates/admin.php:170 +#: templates/admin.php:180 msgid "Security" -msgstr "" +msgstr "Saugumas" -#: templates/admin.php:183 +#: templates/admin.php:193 msgid "Enforce HTTPS" msgstr "" -#: templates/admin.php:184 +#: templates/admin.php:194 msgid "" "Enforces the clients to connect to ownCloud via an encrypted connection." msgstr "" -#: templates/admin.php:187 +#: templates/admin.php:197 msgid "" "Please connect to this ownCloud instance via HTTPS to enable or disable the " "SSL enforcement." msgstr "" -#: templates/admin.php:197 +#: templates/admin.php:207 msgid "Log" msgstr "Žurnalas" -#: templates/admin.php:198 +#: templates/admin.php:208 msgid "Log level" msgstr "Žurnalo išsamumas" -#: templates/admin.php:229 +#: templates/admin.php:239 msgid "More" msgstr "Daugiau" -#: templates/admin.php:230 +#: templates/admin.php:240 msgid "Less" msgstr "Mažiau" -#: templates/admin.php:236 templates/personal.php:116 +#: templates/admin.php:246 templates/personal.php:116 msgid "Version" -msgstr "" +msgstr "Versija" -#: templates/admin.php:240 templates/personal.php:119 +#: templates/admin.php:250 templates/personal.php:119 msgid "" "Developed by the ownCloud community, the access your Files via WebDAV" msgstr "" #: templates/users.php:21 msgid "Login Name" -msgstr "" +msgstr "Vartotojo vardas" #: templates/users.php:30 msgid "Create" @@ -479,7 +492,7 @@ msgstr "" #: templates/users.php:48 templates/users.php:142 msgid "Unlimited" -msgstr "" +msgstr "Neribota" #: templates/users.php:66 templates/users.php:157 msgid "Other" @@ -499,8 +512,8 @@ msgstr "" #: templates/users.php:106 msgid "set new password" -msgstr "" +msgstr "nustatyti naują slaptažodį" #: templates/users.php:137 msgid "Default" -msgstr "" +msgstr "Numatytasis" diff --git a/l10n/lt_LT/user_ldap.po b/l10n/lt_LT/user_ldap.po index 33f1695bc8..906e6d099d 100644 --- a/l10n/lt_LT/user_ldap.po +++ b/l10n/lt_LT/user_ldap.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: I Robot \n" "Language-Team: Lithuanian (Lithuania) (http://www.transifex.com/projects/p/owncloud/language/lt_LT/)\n" "MIME-Version: 1.0\n" diff --git a/l10n/lv/core.po b/l10n/lv/core.po index 6a104f69c3..e13dfd6d71 100644 --- a/l10n/lv/core.po +++ b/l10n/lv/core.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:12+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:04+0000\n" "Last-Translator: I Robot \n" "Language-Team: Latvian (http://www.transifex.com/projects/p/owncloud/language/lv/)\n" "MIME-Version: 1.0\n" @@ -137,59 +137,59 @@ msgstr "Novembris" msgid "December" msgstr "Decembris" -#: js/js.js:289 +#: js/js.js:293 msgid "Settings" msgstr "Iestatījumi" -#: js/js.js:721 +#: js/js.js:715 msgid "seconds ago" msgstr "sekundes atpakaļ" -#: js/js.js:722 +#: js/js.js:716 msgid "1 minute ago" msgstr "pirms 1 minūtes" -#: js/js.js:723 +#: js/js.js:717 msgid "{minutes} minutes ago" msgstr "pirms {minutes} minūtēm" -#: js/js.js:724 +#: js/js.js:718 msgid "1 hour ago" msgstr "pirms 1 stundas" -#: js/js.js:725 +#: js/js.js:719 msgid "{hours} hours ago" msgstr "pirms {hours} stundām" -#: js/js.js:726 +#: js/js.js:720 msgid "today" msgstr "šodien" -#: js/js.js:727 +#: js/js.js:721 msgid "yesterday" msgstr "vakar" -#: js/js.js:728 +#: js/js.js:722 msgid "{days} days ago" msgstr "pirms {days} dienām" -#: js/js.js:729 +#: js/js.js:723 msgid "last month" msgstr "pagājušajā mēnesī" -#: js/js.js:730 +#: js/js.js:724 msgid "{months} months ago" msgstr "pirms {months} mēnešiem" -#: js/js.js:731 +#: js/js.js:725 msgid "months ago" msgstr "mēnešus atpakaļ" -#: js/js.js:732 +#: js/js.js:726 msgid "last year" msgstr "gājušajā gadā" -#: js/js.js:733 +#: js/js.js:727 msgid "years ago" msgstr "gadus atpakaļ" @@ -225,8 +225,8 @@ msgstr "Nav norādīts objekta tips." #: js/oc-vcategories.js:14 js/oc-vcategories.js:80 js/oc-vcategories.js:95 #: js/oc-vcategories.js:110 js/oc-vcategories.js:125 js/oc-vcategories.js:136 #: js/oc-vcategories.js:172 js/oc-vcategories.js:189 js/oc-vcategories.js:195 -#: js/oc-vcategories.js:199 js/share.js:136 js/share.js:143 js/share.js:618 -#: js/share.js:630 +#: js/oc-vcategories.js:199 js/share.js:136 js/share.js:143 js/share.js:625 +#: js/share.js:637 msgid "Error" msgstr "Kļūda" @@ -246,7 +246,7 @@ msgstr "Kopīgs" msgid "Share" msgstr "Dalīties" -#: js/share.js:125 js/share.js:658 +#: js/share.js:125 js/share.js:665 msgid "Error while sharing" msgstr "Kļūda, daloties" @@ -266,114 +266,114 @@ msgstr "{owner} dalījās ar jums un grupu {group}" msgid "Shared with you by {owner}" msgstr "{owner} dalījās ar jums" -#: js/share.js:172 +#: js/share.js:177 msgid "Share with" msgstr "Dalīties ar" -#: js/share.js:177 +#: js/share.js:182 msgid "Share with link" msgstr "Dalīties ar saiti" -#: js/share.js:180 +#: js/share.js:185 msgid "Password protect" msgstr "Aizsargāt ar paroli" -#: js/share.js:182 templates/installation.php:54 templates/login.php:26 +#: js/share.js:187 templates/installation.php:54 templates/login.php:26 msgid "Password" msgstr "Parole" -#: js/share.js:186 +#: js/share.js:192 msgid "Allow Public Upload" msgstr "" -#: js/share.js:189 +#: js/share.js:196 msgid "Email link to person" msgstr "Sūtīt saiti personai pa e-pastu" -#: js/share.js:190 +#: js/share.js:197 msgid "Send" msgstr "Sūtīt" -#: js/share.js:195 +#: js/share.js:202 msgid "Set expiration date" msgstr "Iestaties termiņa datumu" -#: js/share.js:196 +#: js/share.js:203 msgid "Expiration date" msgstr "Termiņa datums" -#: js/share.js:228 +#: js/share.js:235 msgid "Share via email:" msgstr "Dalīties, izmantojot e-pastu:" -#: js/share.js:230 +#: js/share.js:237 msgid "No people found" msgstr "Nav atrastu cilvēku" -#: js/share.js:268 +#: js/share.js:275 msgid "Resharing is not allowed" msgstr "Atkārtota dalīšanās nav atļauta" -#: js/share.js:304 +#: js/share.js:311 msgid "Shared in {item} with {user}" msgstr "Dalījās ar {item} ar {user}" -#: js/share.js:325 +#: js/share.js:332 msgid "Unshare" msgstr "Pārtraukt dalīšanos" -#: js/share.js:337 +#: js/share.js:344 msgid "can edit" msgstr "var rediģēt" -#: js/share.js:339 +#: js/share.js:346 msgid "access control" msgstr "piekļuves vadība" -#: js/share.js:342 +#: js/share.js:349 msgid "create" msgstr "izveidot" -#: js/share.js:345 +#: js/share.js:352 msgid "update" msgstr "atjaunināt" -#: js/share.js:348 +#: js/share.js:355 msgid "delete" msgstr "dzēst" -#: js/share.js:351 +#: js/share.js:358 msgid "share" msgstr "dalīties" -#: js/share.js:385 js/share.js:605 +#: js/share.js:392 js/share.js:612 msgid "Password protected" msgstr "Aizsargāts ar paroli" -#: js/share.js:618 +#: js/share.js:625 msgid "Error unsetting expiration date" msgstr "Kļūda, noņemot termiņa datumu" -#: js/share.js:630 +#: js/share.js:637 msgid "Error setting expiration date" msgstr "Kļūda, iestatot termiņa datumu" -#: js/share.js:645 +#: js/share.js:652 msgid "Sending ..." msgstr "Sūta..." -#: js/share.js:656 +#: js/share.js:663 msgid "Email sent" msgstr "Vēstule nosūtīta" -#: js/update.js:14 +#: js/update.js:17 msgid "" "The update was unsuccessful. Please report this issue to the ownCloud " "community." msgstr "Atjaunināšana beidzās nesekmīgi. Lūdzu, ziņojiet par šo problēmu ownCloud kopienai." -#: js/update.js:18 +#: js/update.js:21 msgid "The update was successful. Redirecting you to ownCloud now." msgstr "Atjaunināšana beidzās sekmīgi. Tagad pārsūta jūs uz ownCloud." @@ -465,7 +465,7 @@ msgstr "Pieeja ir liegta" msgid "Cloud not found" msgstr "Mākonis netika atrasts" -#: templates/altmail.php:2 +#: templates/altmail.php:4 #, php-format msgid "" "Hey there,\n" @@ -476,10 +476,6 @@ msgid "" "Cheers!" msgstr "" -#: templates/altmail.php:7 templates/mail.php:24 -msgid "web services under your control" -msgstr "tīmekļa servisi tavā varā" - #: templates/edit_categories_dialog.php:4 msgid "Edit categories" msgstr "Rediģēt kategoriju" @@ -611,7 +607,7 @@ msgstr "Ierakstīties" msgid "Alternative Logins" msgstr "Alternatīvās pieteikšanās" -#: templates/mail.php:15 +#: templates/mail.php:16 #, php-format msgid "" "Hey there,

    just letting you know that %s shared »%s« with you.
    \n" "Language-Team: Latvian (http://www.transifex.com/projects/p/owncloud/language/lv/)\n" "MIME-Version: 1.0\n" @@ -27,54 +27,54 @@ msgstr "Nevarēja pārvietot %s — jau eksistē datne ar tādu nosaukumu" msgid "Could not move %s" msgstr "Nevarēja pārvietot %s" -#: ajax/upload.php:16 ajax/upload.php:39 +#: ajax/upload.php:16 ajax/upload.php:45 msgid "Unable to set upload directory." msgstr "" -#: ajax/upload.php:23 +#: ajax/upload.php:22 msgid "Invalid Token" msgstr "" -#: ajax/upload.php:55 +#: ajax/upload.php:59 msgid "No file was uploaded. Unknown error" msgstr "Netika augšupielādēta neviena datne. Nezināma kļūda" -#: ajax/upload.php:62 +#: ajax/upload.php:66 msgid "There is no error, the file uploaded with success" msgstr "Viss kārtībā, datne augšupielādēta veiksmīga" -#: ajax/upload.php:63 +#: ajax/upload.php:67 msgid "" "The uploaded file exceeds the upload_max_filesize directive in php.ini: " msgstr "Augšupielādētā datne pārsniedz upload_max_filesize norādījumu php.ini datnē:" -#: ajax/upload.php:65 +#: ajax/upload.php:69 msgid "" "The uploaded file exceeds the MAX_FILE_SIZE directive that was specified in " "the HTML form" msgstr "Augšupielādētā datne pārsniedz MAX_FILE_SIZE norādi, kas ir norādīta HTML formā" -#: ajax/upload.php:66 +#: ajax/upload.php:70 msgid "The uploaded file was only partially uploaded" msgstr "Augšupielādētā datne ir tikai daļēji augšupielādēta" -#: ajax/upload.php:67 +#: ajax/upload.php:71 msgid "No file was uploaded" msgstr "Neviena datne netika augšupielādēta" -#: ajax/upload.php:68 +#: ajax/upload.php:72 msgid "Missing a temporary folder" msgstr "Trūkst pagaidu mapes" -#: ajax/upload.php:69 +#: ajax/upload.php:73 msgid "Failed to write to disk" msgstr "Neizdevās saglabāt diskā" -#: ajax/upload.php:87 +#: ajax/upload.php:91 msgid "Not enough storage available" msgstr "Nav pietiekami daudz vietas" -#: ajax/upload.php:119 +#: ajax/upload.php:123 msgid "Invalid directory." msgstr "Nederīga direktorija." @@ -128,43 +128,43 @@ msgstr "Dzēst" msgid "Rename" msgstr "Pārsaukt" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:464 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:465 msgid "Pending" msgstr "Gaida savu kārtu" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "{new_name} already exists" msgstr "{new_name} jau eksistē" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "replace" msgstr "aizvietot" -#: js/filelist.js:302 +#: js/filelist.js:303 msgid "suggest name" msgstr "ieteiktais nosaukums" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "cancel" msgstr "atcelt" -#: js/filelist.js:349 +#: js/filelist.js:350 msgid "replaced {new_name} with {old_name}" msgstr "aizvietoja {new_name} ar {old_name}" -#: js/filelist.js:349 +#: js/filelist.js:350 msgid "undo" msgstr "atsaukt" -#: js/filelist.js:374 +#: js/filelist.js:375 msgid "perform delete operation" msgstr "veikt dzēšanas darbību" -#: js/filelist.js:456 +#: js/filelist.js:457 msgid "1 file uploading" msgstr "Augšupielādē 1 datni" -#: js/filelist.js:459 js/filelist.js:517 +#: js/filelist.js:460 js/filelist.js:518 msgid "files uploading" msgstr "" @@ -212,19 +212,19 @@ msgstr "Izmērs" msgid "Modified" msgstr "Mainīts" -#: js/files.js:765 +#: js/files.js:763 msgid "1 folder" msgstr "1 mape" -#: js/files.js:767 +#: js/files.js:765 msgid "{count} folders" msgstr "{count} mapes" -#: js/files.js:775 +#: js/files.js:773 msgid "1 file" msgstr "1 datne" -#: js/files.js:777 +#: js/files.js:775 msgid "{count} files" msgstr "{count} datnes" @@ -327,19 +327,19 @@ msgstr "Datnes šobrīd tiek caurskatītas, lūdzu, uzgaidiet." msgid "Current scanning" msgstr "Šobrīd tiek caurskatīts" -#: templates/part.list.php:78 +#: templates/part.list.php:74 msgid "directory" msgstr "" -#: templates/part.list.php:80 +#: templates/part.list.php:76 msgid "directories" msgstr "" -#: templates/part.list.php:89 +#: templates/part.list.php:85 msgid "file" msgstr "fails" -#: templates/part.list.php:91 +#: templates/part.list.php:87 msgid "files" msgstr "faili" diff --git a/l10n/lv/files_external.po b/l10n/lv/files_external.po index 3766bd9110..ac2e481d53 100644 --- a/l10n/lv/files_external.po +++ b/l10n/lv/files_external.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: I Robot \n" "Language-Team: Latvian (http://www.transifex.com/projects/p/owncloud/language/lv/)\n" "MIME-Version: 1.0\n" @@ -37,20 +37,20 @@ msgstr "Lūdzu, norādiet derīgu Dropbox lietotnes atslēgu un noslēpumu." msgid "Error configuring Google Drive storage" msgstr "Kļūda, konfigurējot Google Drive krātuvi" -#: lib/config.php:431 +#: lib/config.php:447 msgid "" "Warning: \"smbclient\" is not installed. Mounting of CIFS/SMB shares " "is not possible. Please ask your system administrator to install it." msgstr "Brīdinājums: nav uzinstalēts “smbclient”. Nevar montēt CIFS/SMB koplietojumus. Lūdzu, vaicājiet savam sistēmas administratoram, lai to uzinstalē." -#: lib/config.php:434 +#: lib/config.php:450 msgid "" "Warning: The FTP support in PHP is not enabled or installed. Mounting" " of FTP shares is not possible. Please ask your system administrator to " "install it." msgstr "Brīdinājums: uz PHP nav aktivēts vai instalēts FTP atbalsts. Nevar montēt FTP koplietojumus. Lūdzu, vaicājiet savam sistēmas administratoram, lai to uzinstalē." -#: lib/config.php:437 +#: lib/config.php:453 msgid "" "Warning: The Curl support in PHP is not enabled or installed. " "Mounting of ownCloud / WebDAV or GoogleDrive is not possible. Please ask " diff --git a/l10n/lv/files_sharing.po b/l10n/lv/files_sharing.po index d159420f8b..260a895ad7 100644 --- a/l10n/lv/files_sharing.po +++ b/l10n/lv/files_sharing.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:13+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: I Robot \n" "Language-Team: Latvian (http://www.transifex.com/projects/p/owncloud/language/lv/)\n" "MIME-Version: 1.0\n" @@ -39,18 +39,18 @@ msgstr "%s ar jums dalījās ar mapi %s" msgid "%s shared the file %s with you" msgstr "%s ar jums dalījās ar datni %s" -#: templates/public.php:28 templates/public.php:86 +#: templates/public.php:28 templates/public.php:90 msgid "Download" msgstr "Lejupielādēt" -#: templates/public.php:44 +#: templates/public.php:45 templates/public.php:48 msgid "Upload" msgstr "Augšupielādēt" -#: templates/public.php:54 +#: templates/public.php:58 msgid "Cancel upload" msgstr "Atcelt augšupielādi" -#: templates/public.php:83 +#: templates/public.php:87 msgid "No preview available for" msgstr "Nav pieejams priekšskatījums priekš" diff --git a/l10n/lv/files_trashbin.po b/l10n/lv/files_trashbin.po index bb34d21680..29261164ef 100644 --- a/l10n/lv/files_trashbin.po +++ b/l10n/lv/files_trashbin.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: I Robot \n" "Language-Team: Latvian (http://www.transifex.com/projects/p/owncloud/language/lv/)\n" "MIME-Version: 1.0\n" diff --git a/l10n/lv/lib.po b/l10n/lv/lib.po index 56ef8b5899..bf2fd831db 100644 --- a/l10n/lv/lib.po +++ b/l10n/lv/lib.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:13+0000\n" +"POT-Creation-Date: 2013-07-24 01:55-0400\n" +"PO-Revision-Date: 2013-07-24 05:55+0000\n" "Last-Translator: I Robot \n" "Language-Team: Latvian (http://www.transifex.com/projects/p/owncloud/language/lv/)\n" "MIME-Version: 1.0\n" @@ -41,27 +41,43 @@ msgstr "Lietotnes" msgid "Admin" msgstr "Administratori" -#: defaults.php:33 -msgid "web services under your control" +#: app.php:844 +#, php-format +msgid "Failed to upgrade \"%s\"." msgstr "" -#: files.php:210 +#: defaults.php:33 +msgid "web services under your control" +msgstr "tīmekļa servisi tavā varā" + +#: files.php:66 files.php:98 +#, php-format +msgid "cannot open \"%s\"" +msgstr "" + +#: files.php:226 msgid "ZIP download is turned off." msgstr "ZIP lejupielādēšana ir izslēgta." -#: files.php:211 +#: files.php:227 msgid "Files need to be downloaded one by one." msgstr "Datnes var lejupielādēt tikai katru atsevišķi." -#: files.php:212 files.php:245 +#: files.php:228 files.php:256 msgid "Back to Files" msgstr "Atpakaļ pie datnēm" -#: files.php:242 +#: files.php:253 msgid "Selected files too large to generate zip file." msgstr "Izvēlētās datnes ir pārāk lielas, lai izveidotu zip datni." -#: helper.php:236 +#: files.php:254 +msgid "" +"Download the files in smaller chunks, seperately or kindly ask your " +"administrator." +msgstr "" + +#: helper.php:235 msgid "couldn't be determined" msgstr "nevarēja noteikt" @@ -170,77 +186,81 @@ msgstr "Vainīgā komanda bija \"%s\", vārds: %s, parole: %s" msgid "PostgreSQL username and/or password not valid" msgstr "Nav derīga PostgreSQL parole un/vai lietotājvārds" -#: setup.php:42 +#: setup.php:28 msgid "Set an admin username." msgstr "Iestatiet administratora lietotājvārdu." -#: setup.php:45 +#: setup.php:31 msgid "Set an admin password." msgstr "Iestatiet administratora paroli." -#: setup.php:198 +#: setup.php:184 msgid "" "Your web server is not yet properly setup to allow files synchronization " "because the WebDAV interface seems to be broken." msgstr "Jūsu serveris vēl nav pareizi iestatīts, lai ļautu sinhronizēt datnes, jo izskatās, ka WebDAV saskarne ir salauzta." -#: setup.php:199 +#: setup.php:185 #, php-format msgid "Please double check the installation guides." msgstr "Lūdzu, vēlreiz pārbaudiet instalēšanas palīdzību." -#: template.php:113 +#: template/functions.php:80 msgid "seconds ago" msgstr "sekundes atpakaļ" -#: template.php:114 +#: template/functions.php:81 msgid "1 minute ago" msgstr "pirms 1 minūtes" -#: template.php:115 +#: template/functions.php:82 #, php-format msgid "%d minutes ago" msgstr "pirms %d minūtēm" -#: template.php:116 +#: template/functions.php:83 msgid "1 hour ago" msgstr "pirms 1 stundas" -#: template.php:117 +#: template/functions.php:84 #, php-format msgid "%d hours ago" msgstr "pirms %d stundām" -#: template.php:118 +#: template/functions.php:85 msgid "today" msgstr "šodien" -#: template.php:119 +#: template/functions.php:86 msgid "yesterday" msgstr "vakar" -#: template.php:120 +#: template/functions.php:87 #, php-format msgid "%d days ago" msgstr "pirms %d dienām" -#: template.php:121 +#: template/functions.php:88 msgid "last month" msgstr "pagājušajā mēnesī" -#: template.php:122 +#: template/functions.php:89 #, php-format msgid "%d months ago" msgstr "pirms %d mēnešiem" -#: template.php:123 +#: template/functions.php:90 msgid "last year" msgstr "gājušajā gadā" -#: template.php:124 +#: template/functions.php:91 msgid "years ago" msgstr "gadus atpakaļ" +#: template.php:296 +msgid "Caused by:" +msgstr "" + #: vcategories.php:188 vcategories.php:249 #, php-format msgid "Could not find category \"%s\"" diff --git a/l10n/lv/settings.po b/l10n/lv/settings.po index ee84741e69..bbac7ca448 100644 --- a/l10n/lv/settings.po +++ b/l10n/lv/settings.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:55+0000\n" "Last-Translator: I Robot \n" "Language-Team: Latvian (http://www.transifex.com/projects/p/owncloud/language/lv/)\n" "MIME-Version: 1.0\n" @@ -273,62 +273,71 @@ msgstr "Atļaut saites" msgid "Allow users to share items to the public with links" msgstr "Ļaut lietotājiem publiski dalīties ar vienumiem, izmantojot saites" -#: templates/admin.php:152 +#: templates/admin.php:153 +msgid "Allow public uploads" +msgstr "" + +#: templates/admin.php:154 +msgid "" +"Allow users to enable others to upload into their publicly shared folders" +msgstr "" + +#: templates/admin.php:162 msgid "Allow resharing" msgstr "Atļaut atkārtotu koplietošanu" -#: templates/admin.php:153 +#: templates/admin.php:163 msgid "Allow users to share items shared with them again" msgstr "Ļaut lietotājiem dalīties ar vienumiem atkārtoti" -#: templates/admin.php:160 +#: templates/admin.php:170 msgid "Allow users to share with anyone" msgstr "Ļaut lietotājiem dalīties ar visiem" -#: templates/admin.php:163 +#: templates/admin.php:173 msgid "Allow users to only share with users in their groups" msgstr "Ļaut lietotājiem dalīties ar lietotājiem to grupās" -#: templates/admin.php:170 +#: templates/admin.php:180 msgid "Security" msgstr "Drošība" -#: templates/admin.php:183 +#: templates/admin.php:193 msgid "Enforce HTTPS" msgstr "Uzspiest HTTPS" -#: templates/admin.php:184 +#: templates/admin.php:194 msgid "" "Enforces the clients to connect to ownCloud via an encrypted connection." msgstr "Piespiež klientus savienoties ar ownCloud caur šifrētu savienojumu." -#: templates/admin.php:187 +#: templates/admin.php:197 msgid "" "Please connect to this ownCloud instance via HTTPS to enable or disable the " "SSL enforcement." msgstr "Lūdzu, savienojieties ar šo ownCloud pakalpojumu caur HTTPS, lai aktivētu vai deaktivētu SSL piemērošanu." -#: templates/admin.php:197 +#: templates/admin.php:207 msgid "Log" msgstr "Žurnāls" -#: templates/admin.php:198 +#: templates/admin.php:208 msgid "Log level" msgstr "Žurnāla līmenis" -#: templates/admin.php:229 +#: templates/admin.php:239 msgid "More" msgstr "Vairāk" -#: templates/admin.php:230 +#: templates/admin.php:240 msgid "Less" msgstr "Mazāk" -#: templates/admin.php:236 templates/personal.php:116 +#: templates/admin.php:246 templates/personal.php:116 msgid "Version" msgstr "Versija" -#: templates/admin.php:240 templates/personal.php:119 +#: templates/admin.php:250 templates/personal.php:119 msgid "" "Developed by the ownCloud community, the access your Files via WebDAV" +msgstr "" #: templates/users.php:21 msgid "Login Name" diff --git a/l10n/lv/user_ldap.po b/l10n/lv/user_ldap.po index 4daadb9346..0b7b065ff3 100644 --- a/l10n/lv/user_ldap.po +++ b/l10n/lv/user_ldap.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: I Robot \n" "Language-Team: Latvian (http://www.transifex.com/projects/p/owncloud/language/lv/)\n" "MIME-Version: 1.0\n" diff --git a/l10n/mk/core.po b/l10n/mk/core.po index b5ffeba213..fef4f3e384 100644 --- a/l10n/mk/core.po +++ b/l10n/mk/core.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:12+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:04+0000\n" "Last-Translator: I Robot \n" "Language-Team: Macedonian (http://www.transifex.com/projects/p/owncloud/language/mk/)\n" "MIME-Version: 1.0\n" @@ -137,59 +137,59 @@ msgstr "Ноември" msgid "December" msgstr "Декември" -#: js/js.js:289 +#: js/js.js:293 msgid "Settings" msgstr "Подесувања" -#: js/js.js:721 +#: js/js.js:715 msgid "seconds ago" msgstr "пред секунди" -#: js/js.js:722 +#: js/js.js:716 msgid "1 minute ago" msgstr "пред 1 минута" -#: js/js.js:723 +#: js/js.js:717 msgid "{minutes} minutes ago" msgstr "пред {minutes} минути" -#: js/js.js:724 +#: js/js.js:718 msgid "1 hour ago" msgstr "пред 1 час" -#: js/js.js:725 +#: js/js.js:719 msgid "{hours} hours ago" msgstr "пред {hours} часови" -#: js/js.js:726 +#: js/js.js:720 msgid "today" msgstr "денеска" -#: js/js.js:727 +#: js/js.js:721 msgid "yesterday" msgstr "вчера" -#: js/js.js:728 +#: js/js.js:722 msgid "{days} days ago" msgstr "пред {days} денови" -#: js/js.js:729 +#: js/js.js:723 msgid "last month" msgstr "минатиот месец" -#: js/js.js:730 +#: js/js.js:724 msgid "{months} months ago" msgstr "пред {months} месеци" -#: js/js.js:731 +#: js/js.js:725 msgid "months ago" msgstr "пред месеци" -#: js/js.js:732 +#: js/js.js:726 msgid "last year" msgstr "минатата година" -#: js/js.js:733 +#: js/js.js:727 msgid "years ago" msgstr "пред години" @@ -225,8 +225,8 @@ msgstr "Не е специфициран типот на објект." #: js/oc-vcategories.js:14 js/oc-vcategories.js:80 js/oc-vcategories.js:95 #: js/oc-vcategories.js:110 js/oc-vcategories.js:125 js/oc-vcategories.js:136 #: js/oc-vcategories.js:172 js/oc-vcategories.js:189 js/oc-vcategories.js:195 -#: js/oc-vcategories.js:199 js/share.js:136 js/share.js:143 js/share.js:618 -#: js/share.js:630 +#: js/oc-vcategories.js:199 js/share.js:136 js/share.js:143 js/share.js:625 +#: js/share.js:637 msgid "Error" msgstr "Грешка" @@ -246,7 +246,7 @@ msgstr "" msgid "Share" msgstr "Сподели" -#: js/share.js:125 js/share.js:658 +#: js/share.js:125 js/share.js:665 msgid "Error while sharing" msgstr "Грешка при споделување" @@ -266,114 +266,114 @@ msgstr "Споделено со Вас и групата {group} од {owner}" msgid "Shared with you by {owner}" msgstr "Споделено со Вас од {owner}" -#: js/share.js:172 +#: js/share.js:177 msgid "Share with" msgstr "Сподели со" -#: js/share.js:177 +#: js/share.js:182 msgid "Share with link" msgstr "Сподели со врска" -#: js/share.js:180 +#: js/share.js:185 msgid "Password protect" msgstr "Заштити со лозинка" -#: js/share.js:182 templates/installation.php:54 templates/login.php:26 +#: js/share.js:187 templates/installation.php:54 templates/login.php:26 msgid "Password" msgstr "Лозинка" -#: js/share.js:186 +#: js/share.js:192 msgid "Allow Public Upload" msgstr "" -#: js/share.js:189 +#: js/share.js:196 msgid "Email link to person" msgstr "Прати врска по е-пошта на личност" -#: js/share.js:190 +#: js/share.js:197 msgid "Send" msgstr "Прати" -#: js/share.js:195 +#: js/share.js:202 msgid "Set expiration date" msgstr "Постави рок на траење" -#: js/share.js:196 +#: js/share.js:203 msgid "Expiration date" msgstr "Рок на траење" -#: js/share.js:228 +#: js/share.js:235 msgid "Share via email:" msgstr "Сподели по е-пошта:" -#: js/share.js:230 +#: js/share.js:237 msgid "No people found" msgstr "Не се најдени луѓе" -#: js/share.js:268 +#: js/share.js:275 msgid "Resharing is not allowed" msgstr "Повторно споделување не е дозволено" -#: js/share.js:304 +#: js/share.js:311 msgid "Shared in {item} with {user}" msgstr "Споделено во {item} со {user}" -#: js/share.js:325 +#: js/share.js:332 msgid "Unshare" msgstr "Не споделувај" -#: js/share.js:337 +#: js/share.js:344 msgid "can edit" msgstr "може да се измени" -#: js/share.js:339 +#: js/share.js:346 msgid "access control" msgstr "контрола на пристап" -#: js/share.js:342 +#: js/share.js:349 msgid "create" msgstr "креирај" -#: js/share.js:345 +#: js/share.js:352 msgid "update" msgstr "ажурирај" -#: js/share.js:348 +#: js/share.js:355 msgid "delete" msgstr "избриши" -#: js/share.js:351 +#: js/share.js:358 msgid "share" msgstr "сподели" -#: js/share.js:385 js/share.js:605 +#: js/share.js:392 js/share.js:612 msgid "Password protected" msgstr "Заштитено со лозинка" -#: js/share.js:618 +#: js/share.js:625 msgid "Error unsetting expiration date" msgstr "Грешка при тргање на рокот на траење" -#: js/share.js:630 +#: js/share.js:637 msgid "Error setting expiration date" msgstr "Грешка при поставување на рок на траење" -#: js/share.js:645 +#: js/share.js:652 msgid "Sending ..." msgstr "Праќање..." -#: js/share.js:656 +#: js/share.js:663 msgid "Email sent" msgstr "Е-порака пратена" -#: js/update.js:14 +#: js/update.js:17 msgid "" "The update was unsuccessful. Please report this issue to the ownCloud " "community." msgstr "" -#: js/update.js:18 +#: js/update.js:21 msgid "The update was successful. Redirecting you to ownCloud now." msgstr "" @@ -465,7 +465,7 @@ msgstr "Забранет пристап" msgid "Cloud not found" msgstr "Облакот не е најден" -#: templates/altmail.php:2 +#: templates/altmail.php:4 #, php-format msgid "" "Hey there,\n" @@ -476,10 +476,6 @@ msgid "" "Cheers!" msgstr "" -#: templates/altmail.php:7 templates/mail.php:24 -msgid "web services under your control" -msgstr "веб сервиси под Ваша контрола" - #: templates/edit_categories_dialog.php:4 msgid "Edit categories" msgstr "Уреди категории" @@ -611,7 +607,7 @@ msgstr "Најава" msgid "Alternative Logins" msgstr "" -#: templates/mail.php:15 +#: templates/mail.php:16 #, php-format msgid "" "Hey there,

    just letting you know that %s shared »%s« with you.
    \n" "Language-Team: Macedonian (http://www.transifex.com/projects/p/owncloud/language/mk/)\n" "MIME-Version: 1.0\n" @@ -27,54 +27,54 @@ msgstr "" msgid "Could not move %s" msgstr "" -#: ajax/upload.php:16 ajax/upload.php:39 +#: ajax/upload.php:16 ajax/upload.php:45 msgid "Unable to set upload directory." msgstr "" -#: ajax/upload.php:23 +#: ajax/upload.php:22 msgid "Invalid Token" msgstr "" -#: ajax/upload.php:55 +#: ajax/upload.php:59 msgid "No file was uploaded. Unknown error" msgstr "Ниту еден фајл не се вчита. Непозната грешка" -#: ajax/upload.php:62 +#: ajax/upload.php:66 msgid "There is no error, the file uploaded with success" msgstr "Датотеката беше успешно подигната." -#: ajax/upload.php:63 +#: ajax/upload.php:67 msgid "" "The uploaded file exceeds the upload_max_filesize directive in php.ini: " msgstr "Подигнатата датотека ја надминува upload_max_filesize директивата во php.ini:" -#: ajax/upload.php:65 +#: ajax/upload.php:69 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:66 +#: ajax/upload.php:70 msgid "The uploaded file was only partially uploaded" msgstr "Датотеката беше само делумно подигната." -#: ajax/upload.php:67 +#: ajax/upload.php:71 msgid "No file was uploaded" msgstr "Не беше подигната датотека." -#: ajax/upload.php:68 +#: ajax/upload.php:72 msgid "Missing a temporary folder" msgstr "Недостасува привремена папка" -#: ajax/upload.php:69 +#: ajax/upload.php:73 msgid "Failed to write to disk" msgstr "Неуспеав да запишам на диск" -#: ajax/upload.php:87 +#: ajax/upload.php:91 msgid "Not enough storage available" msgstr "" -#: ajax/upload.php:119 +#: ajax/upload.php:123 msgid "Invalid directory." msgstr "" @@ -128,43 +128,43 @@ msgstr "Избриши" msgid "Rename" msgstr "Преименувај" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:464 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:465 msgid "Pending" msgstr "Чека" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "{new_name} already exists" msgstr "{new_name} веќе постои" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "replace" msgstr "замени" -#: js/filelist.js:302 +#: js/filelist.js:303 msgid "suggest name" msgstr "предложи име" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "cancel" msgstr "откажи" -#: js/filelist.js:349 +#: js/filelist.js:350 msgid "replaced {new_name} with {old_name}" msgstr "заменета {new_name} со {old_name}" -#: js/filelist.js:349 +#: js/filelist.js:350 msgid "undo" msgstr "врати" -#: js/filelist.js:374 +#: js/filelist.js:375 msgid "perform delete operation" msgstr "" -#: js/filelist.js:456 +#: js/filelist.js:457 msgid "1 file uploading" msgstr "1 датотека се подига" -#: js/filelist.js:459 js/filelist.js:517 +#: js/filelist.js:460 js/filelist.js:518 msgid "files uploading" msgstr "" @@ -212,19 +212,19 @@ msgstr "Големина" msgid "Modified" msgstr "Променето" -#: js/files.js:765 +#: js/files.js:763 msgid "1 folder" msgstr "1 папка" -#: js/files.js:767 +#: js/files.js:765 msgid "{count} folders" msgstr "{count} папки" -#: js/files.js:775 +#: js/files.js:773 msgid "1 file" msgstr "1 датотека" -#: js/files.js:777 +#: js/files.js:775 msgid "{count} files" msgstr "{count} датотеки" @@ -327,19 +327,19 @@ msgstr "Се скенираат датотеки, ве молам почекај msgid "Current scanning" msgstr "Моментално скенирам" -#: templates/part.list.php:78 +#: templates/part.list.php:74 msgid "directory" msgstr "" -#: templates/part.list.php:80 +#: templates/part.list.php:76 msgid "directories" msgstr "" -#: templates/part.list.php:89 +#: templates/part.list.php:85 msgid "file" msgstr "датотека" -#: templates/part.list.php:91 +#: templates/part.list.php:87 msgid "files" msgstr "датотеки" diff --git a/l10n/mk/files_external.po b/l10n/mk/files_external.po index 7b4ebc5993..fc33716519 100644 --- a/l10n/mk/files_external.po +++ b/l10n/mk/files_external.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: I Robot \n" "Language-Team: Macedonian (http://www.transifex.com/projects/p/owncloud/language/mk/)\n" "MIME-Version: 1.0\n" @@ -37,20 +37,20 @@ msgstr "Ве молам доставите валиден Dropbox клуч и т msgid "Error configuring Google Drive storage" msgstr "Грешка при конфигурација на Google Drive" -#: lib/config.php:431 +#: lib/config.php:447 msgid "" "Warning: \"smbclient\" is not installed. Mounting of CIFS/SMB shares " "is not possible. Please ask your system administrator to install it." msgstr "Внимание: \"smbclient\" не е инсталиран. Не е можно монтирање на CIFS/SMB дискови. Замолете го Вашиот систем администратор да го инсталира." -#: lib/config.php:434 +#: lib/config.php:450 msgid "" "Warning: The FTP support in PHP is not enabled or installed. Mounting" " of FTP shares is not possible. Please ask your system administrator to " "install it." msgstr "Внимание: Не е овозможена или инсталирани FTP подршка во PHP. Не е можно монтирање на FTP дискови. Замолете го Вашиот систем администратор да го инсталира." -#: lib/config.php:437 +#: lib/config.php:453 msgid "" "Warning: The Curl support in PHP is not enabled or installed. " "Mounting of ownCloud / WebDAV or GoogleDrive is not possible. Please ask " diff --git a/l10n/mk/files_sharing.po b/l10n/mk/files_sharing.po index 56415f9de3..726a5e18b7 100644 --- a/l10n/mk/files_sharing.po +++ b/l10n/mk/files_sharing.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:13+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: I Robot \n" "Language-Team: Macedonian (http://www.transifex.com/projects/p/owncloud/language/mk/)\n" "MIME-Version: 1.0\n" @@ -39,18 +39,18 @@ msgstr "%s ја сподели папката %s со Вас" msgid "%s shared the file %s with you" msgstr "%s ја сподели датотеката %s со Вас" -#: templates/public.php:28 templates/public.php:86 +#: templates/public.php:28 templates/public.php:90 msgid "Download" msgstr "Преземи" -#: templates/public.php:44 +#: templates/public.php:45 templates/public.php:48 msgid "Upload" msgstr "Подигни" -#: templates/public.php:54 +#: templates/public.php:58 msgid "Cancel upload" msgstr "Откажи прикачување" -#: templates/public.php:83 +#: templates/public.php:87 msgid "No preview available for" msgstr "Нема достапно преглед за" diff --git a/l10n/mk/files_trashbin.po b/l10n/mk/files_trashbin.po index d4f949879a..1337bc1892 100644 --- a/l10n/mk/files_trashbin.po +++ b/l10n/mk/files_trashbin.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: I Robot \n" "Language-Team: Macedonian (http://www.transifex.com/projects/p/owncloud/language/mk/)\n" "MIME-Version: 1.0\n" diff --git a/l10n/mk/lib.po b/l10n/mk/lib.po index d4656ea09d..836a349076 100644 --- a/l10n/mk/lib.po +++ b/l10n/mk/lib.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:13+0000\n" +"POT-Creation-Date: 2013-07-24 01:55-0400\n" +"PO-Revision-Date: 2013-07-24 05:55+0000\n" "Last-Translator: I Robot \n" "Language-Team: Macedonian (http://www.transifex.com/projects/p/owncloud/language/mk/)\n" "MIME-Version: 1.0\n" @@ -41,27 +41,43 @@ msgstr "Аппликации" msgid "Admin" msgstr "Админ" -#: defaults.php:33 -msgid "web services under your control" +#: app.php:844 +#, php-format +msgid "Failed to upgrade \"%s\"." msgstr "" -#: files.php:210 +#: defaults.php:33 +msgid "web services under your control" +msgstr "веб сервиси под Ваша контрола" + +#: files.php:66 files.php:98 +#, php-format +msgid "cannot open \"%s\"" +msgstr "" + +#: files.php:226 msgid "ZIP download is turned off." msgstr "Преземање во ZIP е исклучено" -#: files.php:211 +#: files.php:227 msgid "Files need to be downloaded one by one." msgstr "Датотеките треба да се симнат една по една." -#: files.php:212 files.php:245 +#: files.php:228 files.php:256 msgid "Back to Files" msgstr "Назад кон датотеки" -#: files.php:242 +#: files.php:253 msgid "Selected files too large to generate zip file." msgstr "Избраните датотеки се преголеми за да се генерира zip." -#: helper.php:236 +#: files.php:254 +msgid "" +"Download the files in smaller chunks, seperately or kindly ask your " +"administrator." +msgstr "" + +#: helper.php:235 msgid "couldn't be determined" msgstr "" @@ -170,77 +186,81 @@ msgstr "" msgid "PostgreSQL username and/or password not valid" msgstr "" -#: setup.php:42 +#: setup.php:28 msgid "Set an admin username." msgstr "" -#: setup.php:45 +#: setup.php:31 msgid "Set an admin password." msgstr "" -#: setup.php:198 +#: setup.php:184 msgid "" "Your web server is not yet properly setup to allow files synchronization " "because the WebDAV interface seems to be broken." msgstr "" -#: setup.php:199 +#: setup.php:185 #, php-format msgid "Please double check the installation guides." msgstr "" -#: template.php:113 +#: template/functions.php:80 msgid "seconds ago" msgstr "пред секунди" -#: template.php:114 +#: template/functions.php:81 msgid "1 minute ago" msgstr "пред 1 минута" -#: template.php:115 +#: template/functions.php:82 #, php-format msgid "%d minutes ago" msgstr "пред %d минути" -#: template.php:116 +#: template/functions.php:83 msgid "1 hour ago" msgstr "пред 1 час" -#: template.php:117 +#: template/functions.php:84 #, php-format msgid "%d hours ago" msgstr "пред %d часови" -#: template.php:118 +#: template/functions.php:85 msgid "today" msgstr "денеска" -#: template.php:119 +#: template/functions.php:86 msgid "yesterday" msgstr "вчера" -#: template.php:120 +#: template/functions.php:87 #, php-format msgid "%d days ago" msgstr "пред %d денови" -#: template.php:121 +#: template/functions.php:88 msgid "last month" msgstr "минатиот месец" -#: template.php:122 +#: template/functions.php:89 #, php-format msgid "%d months ago" msgstr "пред %d месеци" -#: template.php:123 +#: template/functions.php:90 msgid "last year" msgstr "минатата година" -#: template.php:124 +#: template/functions.php:91 msgid "years ago" msgstr "пред години" +#: template.php:296 +msgid "Caused by:" +msgstr "" + #: vcategories.php:188 vcategories.php:249 #, php-format msgid "Could not find category \"%s\"" diff --git a/l10n/mk/settings.po b/l10n/mk/settings.po index fcaab41108..e1400f297d 100644 --- a/l10n/mk/settings.po +++ b/l10n/mk/settings.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:55+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:55+0000\n" "Last-Translator: I Robot \n" "Language-Team: Macedonian (http://www.transifex.com/projects/p/owncloud/language/mk/)\n" "MIME-Version: 1.0\n" @@ -273,62 +273,71 @@ msgstr "" msgid "Allow users to share items to the public with links" msgstr "" -#: templates/admin.php:152 +#: templates/admin.php:153 +msgid "Allow public uploads" +msgstr "" + +#: templates/admin.php:154 +msgid "" +"Allow users to enable others to upload into their publicly shared folders" +msgstr "" + +#: templates/admin.php:162 msgid "Allow resharing" msgstr "" -#: templates/admin.php:153 +#: templates/admin.php:163 msgid "Allow users to share items shared with them again" msgstr "" -#: templates/admin.php:160 +#: templates/admin.php:170 msgid "Allow users to share with anyone" msgstr "" -#: templates/admin.php:163 +#: templates/admin.php:173 msgid "Allow users to only share with users in their groups" msgstr "" -#: templates/admin.php:170 +#: templates/admin.php:180 msgid "Security" msgstr "" -#: templates/admin.php:183 +#: templates/admin.php:193 msgid "Enforce HTTPS" msgstr "" -#: templates/admin.php:184 +#: templates/admin.php:194 msgid "" "Enforces the clients to connect to ownCloud via an encrypted connection." msgstr "" -#: templates/admin.php:187 +#: templates/admin.php:197 msgid "" "Please connect to this ownCloud instance via HTTPS to enable or disable the " "SSL enforcement." msgstr "" -#: templates/admin.php:197 +#: templates/admin.php:207 msgid "Log" msgstr "Записник" -#: templates/admin.php:198 +#: templates/admin.php:208 msgid "Log level" msgstr "Ниво на логирање" -#: templates/admin.php:229 +#: templates/admin.php:239 msgid "More" msgstr "Повеќе" -#: templates/admin.php:230 +#: templates/admin.php:240 msgid "Less" msgstr "Помалку" -#: templates/admin.php:236 templates/personal.php:116 +#: templates/admin.php:246 templates/personal.php:116 msgid "Version" msgstr "Верзија" -#: templates/admin.php:240 templates/personal.php:119 +#: templates/admin.php:250 templates/personal.php:119 msgid "" "Developed by the ownCloud community, the access your Files via WebDAV" +msgstr "" #: templates/users.php:21 msgid "Login Name" diff --git a/l10n/mk/user_ldap.po b/l10n/mk/user_ldap.po index 9ad37ece8d..5571bbb14a 100644 --- a/l10n/mk/user_ldap.po +++ b/l10n/mk/user_ldap.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: I Robot \n" "Language-Team: Macedonian (http://www.transifex.com/projects/p/owncloud/language/mk/)\n" "MIME-Version: 1.0\n" diff --git a/l10n/ml_IN/core.po b/l10n/ml_IN/core.po new file mode 100644 index 0000000000..11842cfad4 --- /dev/null +++ b/l10n/ml_IN/core.po @@ -0,0 +1,628 @@ +# SOME DESCRIPTIVE TITLE. +# Copyright (C) YEAR THE PACKAGE'S COPYRIGHT HOLDER +# This file is distributed under the same license as the PACKAGE package. +# +# Translators: +msgid "" +msgstr "" +"Project-Id-Version: ownCloud\n" +"Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" +"POT-Creation-Date: 2013-07-06 02:02+0200\n" +"PO-Revision-Date: 2013-07-06 00:02+0000\n" +"Last-Translator: I Robot \n" +"Language-Team: Malayalam (India) (http://www.transifex.com/projects/p/owncloud/language/ml_IN/)\n" +"MIME-Version: 1.0\n" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Language: ml_IN\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" + +#: ajax/share.php:97 +#, php-format +msgid "%s shared »%s« with you" +msgstr "" + +#: ajax/vcategories/add.php:26 ajax/vcategories/edit.php:25 +msgid "Category type not provided." +msgstr "" + +#: ajax/vcategories/add.php:30 +msgid "No category to add?" +msgstr "" + +#: ajax/vcategories/add.php:37 +#, php-format +msgid "This category already exists: %s" +msgstr "" + +#: ajax/vcategories/addToFavorites.php:26 ajax/vcategories/delete.php:27 +#: ajax/vcategories/favorites.php:24 +#: ajax/vcategories/removeFromFavorites.php:26 +msgid "Object type not provided." +msgstr "" + +#: ajax/vcategories/addToFavorites.php:30 +#: ajax/vcategories/removeFromFavorites.php:30 +#, php-format +msgid "%s ID not provided." +msgstr "" + +#: ajax/vcategories/addToFavorites.php:35 +#, php-format +msgid "Error adding %s to favorites." +msgstr "" + +#: ajax/vcategories/delete.php:35 js/oc-vcategories.js:136 +msgid "No categories selected for deletion." +msgstr "" + +#: ajax/vcategories/removeFromFavorites.php:35 +#, php-format +msgid "Error removing %s from favorites." +msgstr "" + +#: js/config.php:32 +msgid "Sunday" +msgstr "" + +#: js/config.php:33 +msgid "Monday" +msgstr "" + +#: js/config.php:34 +msgid "Tuesday" +msgstr "" + +#: js/config.php:35 +msgid "Wednesday" +msgstr "" + +#: js/config.php:36 +msgid "Thursday" +msgstr "" + +#: js/config.php:37 +msgid "Friday" +msgstr "" + +#: js/config.php:38 +msgid "Saturday" +msgstr "" + +#: js/config.php:43 +msgid "January" +msgstr "" + +#: js/config.php:44 +msgid "February" +msgstr "" + +#: js/config.php:45 +msgid "March" +msgstr "" + +#: js/config.php:46 +msgid "April" +msgstr "" + +#: js/config.php:47 +msgid "May" +msgstr "" + +#: js/config.php:48 +msgid "June" +msgstr "" + +#: js/config.php:49 +msgid "July" +msgstr "" + +#: js/config.php:50 +msgid "August" +msgstr "" + +#: js/config.php:51 +msgid "September" +msgstr "" + +#: js/config.php:52 +msgid "October" +msgstr "" + +#: js/config.php:53 +msgid "November" +msgstr "" + +#: js/config.php:54 +msgid "December" +msgstr "" + +#: js/js.js:289 +msgid "Settings" +msgstr "" + +#: js/js.js:721 +msgid "seconds ago" +msgstr "" + +#: js/js.js:722 +msgid "1 minute ago" +msgstr "" + +#: js/js.js:723 +msgid "{minutes} minutes ago" +msgstr "" + +#: js/js.js:724 +msgid "1 hour ago" +msgstr "" + +#: js/js.js:725 +msgid "{hours} hours ago" +msgstr "" + +#: js/js.js:726 +msgid "today" +msgstr "" + +#: js/js.js:727 +msgid "yesterday" +msgstr "" + +#: js/js.js:728 +msgid "{days} days ago" +msgstr "" + +#: js/js.js:729 +msgid "last month" +msgstr "" + +#: js/js.js:730 +msgid "{months} months ago" +msgstr "" + +#: js/js.js:731 +msgid "months ago" +msgstr "" + +#: js/js.js:732 +msgid "last year" +msgstr "" + +#: js/js.js:733 +msgid "years ago" +msgstr "" + +#: js/oc-dialogs.js:117 +msgid "Choose" +msgstr "" + +#: js/oc-dialogs.js:122 +msgid "Cancel" +msgstr "" + +#: js/oc-dialogs.js:141 js/oc-dialogs.js:200 +msgid "Error loading file picker template" +msgstr "" + +#: js/oc-dialogs.js:164 +msgid "Yes" +msgstr "" + +#: js/oc-dialogs.js:172 +msgid "No" +msgstr "" + +#: js/oc-dialogs.js:185 +msgid "Ok" +msgstr "" + +#: js/oc-vcategories.js:5 js/oc-vcategories.js:85 js/oc-vcategories.js:102 +#: js/oc-vcategories.js:117 js/oc-vcategories.js:132 js/oc-vcategories.js:162 +msgid "The object type is not specified." +msgstr "" + +#: js/oc-vcategories.js:14 js/oc-vcategories.js:80 js/oc-vcategories.js:95 +#: js/oc-vcategories.js:110 js/oc-vcategories.js:125 js/oc-vcategories.js:136 +#: js/oc-vcategories.js:172 js/oc-vcategories.js:189 js/oc-vcategories.js:195 +#: js/oc-vcategories.js:199 js/share.js:136 js/share.js:143 js/share.js:620 +#: js/share.js:632 +msgid "Error" +msgstr "" + +#: js/oc-vcategories.js:179 +msgid "The app name is not specified." +msgstr "" + +#: js/oc-vcategories.js:194 +msgid "The required file {file} is not installed!" +msgstr "" + +#: js/share.js:30 js/share.js:45 js/share.js:87 +msgid "Shared" +msgstr "" + +#: js/share.js:90 +msgid "Share" +msgstr "" + +#: js/share.js:125 js/share.js:660 +msgid "Error while sharing" +msgstr "" + +#: js/share.js:136 +msgid "Error while unsharing" +msgstr "" + +#: js/share.js:143 +msgid "Error while changing permissions" +msgstr "" + +#: js/share.js:152 +msgid "Shared with you and the group {group} by {owner}" +msgstr "" + +#: js/share.js:154 +msgid "Shared with you by {owner}" +msgstr "" + +#: js/share.js:172 +msgid "Share with" +msgstr "" + +#: js/share.js:177 +msgid "Share with link" +msgstr "" + +#: js/share.js:180 +msgid "Password protect" +msgstr "" + +#: js/share.js:182 templates/installation.php:54 templates/login.php:26 +msgid "Password" +msgstr "" + +#: js/share.js:187 +msgid "Allow Public Upload" +msgstr "" + +#: js/share.js:191 +msgid "Email link to person" +msgstr "" + +#: js/share.js:192 +msgid "Send" +msgstr "" + +#: js/share.js:197 +msgid "Set expiration date" +msgstr "" + +#: js/share.js:198 +msgid "Expiration date" +msgstr "" + +#: js/share.js:230 +msgid "Share via email:" +msgstr "" + +#: js/share.js:232 +msgid "No people found" +msgstr "" + +#: js/share.js:270 +msgid "Resharing is not allowed" +msgstr "" + +#: js/share.js:306 +msgid "Shared in {item} with {user}" +msgstr "" + +#: js/share.js:327 +msgid "Unshare" +msgstr "" + +#: js/share.js:339 +msgid "can edit" +msgstr "" + +#: js/share.js:341 +msgid "access control" +msgstr "" + +#: js/share.js:344 +msgid "create" +msgstr "" + +#: js/share.js:347 +msgid "update" +msgstr "" + +#: js/share.js:350 +msgid "delete" +msgstr "" + +#: js/share.js:353 +msgid "share" +msgstr "" + +#: js/share.js:387 js/share.js:607 +msgid "Password protected" +msgstr "" + +#: js/share.js:620 +msgid "Error unsetting expiration date" +msgstr "" + +#: js/share.js:632 +msgid "Error setting expiration date" +msgstr "" + +#: js/share.js:647 +msgid "Sending ..." +msgstr "" + +#: js/share.js:658 +msgid "Email sent" +msgstr "" + +#: js/update.js:14 +msgid "" +"The update was unsuccessful. Please report this issue to the ownCloud " +"community." +msgstr "" + +#: js/update.js:18 +msgid "The update was successful. Redirecting you to ownCloud now." +msgstr "" + +#: lostpassword/controller.php:60 +msgid "ownCloud password reset" +msgstr "" + +#: lostpassword/templates/email.php:2 +msgid "Use the following link to reset your password: {link}" +msgstr "" + +#: lostpassword/templates/lostpassword.php:4 +msgid "" +"The link to reset your password has been sent to your email.
    If you do " +"not receive it within a reasonable amount of time, check your spam/junk " +"folders.
    If it is not there ask your local administrator ." +msgstr "" + +#: lostpassword/templates/lostpassword.php:12 +msgid "Request failed!
    Did you make sure your email/username was right?" +msgstr "" + +#: lostpassword/templates/lostpassword.php:15 +msgid "You will receive a link to reset your password via Email." +msgstr "" + +#: lostpassword/templates/lostpassword.php:18 templates/installation.php:48 +#: templates/login.php:19 +msgid "Username" +msgstr "" + +#: lostpassword/templates/lostpassword.php:22 +msgid "" +"Your files are encrypted. If you haven't enabled the recovery key, there " +"will be no way to get your data back after your password is reset. If you " +"are not sure what to do, please contact your administrator before you " +"continue. Do you really want to continue?" +msgstr "" + +#: lostpassword/templates/lostpassword.php:24 +msgid "Yes, I really want to reset my password now" +msgstr "" + +#: lostpassword/templates/lostpassword.php:27 +msgid "Request reset" +msgstr "" + +#: lostpassword/templates/resetpassword.php:4 +msgid "Your password was reset" +msgstr "" + +#: lostpassword/templates/resetpassword.php:5 +msgid "To login page" +msgstr "" + +#: lostpassword/templates/resetpassword.php:8 +msgid "New password" +msgstr "" + +#: lostpassword/templates/resetpassword.php:11 +msgid "Reset password" +msgstr "" + +#: strings.php:5 +msgid "Personal" +msgstr "" + +#: strings.php:6 +msgid "Users" +msgstr "" + +#: strings.php:7 +msgid "Apps" +msgstr "" + +#: strings.php:8 +msgid "Admin" +msgstr "" + +#: strings.php:9 +msgid "Help" +msgstr "" + +#: templates/403.php:12 +msgid "Access forbidden" +msgstr "" + +#: templates/404.php:12 +msgid "Cloud not found" +msgstr "" + +#: templates/altmail.php:4 +#, php-format +msgid "" +"Hey there,\n" +"\n" +"just letting you know that %s shared %s with you.\n" +"View it: %s\n" +"\n" +"Cheers!" +msgstr "" + +#: templates/edit_categories_dialog.php:4 +msgid "Edit categories" +msgstr "" + +#: templates/edit_categories_dialog.php:16 +msgid "Add" +msgstr "" + +#: templates/installation.php:24 templates/installation.php:31 +#: templates/installation.php:38 +msgid "Security Warning" +msgstr "" + +#: templates/installation.php:25 +msgid "Your PHP version is vulnerable to the NULL Byte attack (CVE-2006-7243)" +msgstr "" + +#: templates/installation.php:26 +msgid "Please update your PHP installation to use ownCloud securely." +msgstr "" + +#: templates/installation.php:32 +msgid "" +"No secure random number generator is available, please enable the PHP " +"OpenSSL extension." +msgstr "" + +#: templates/installation.php:33 +msgid "" +"Without a secure random number generator an attacker may be able to predict " +"password reset tokens and take over your account." +msgstr "" + +#: templates/installation.php:39 +msgid "" +"Your data directory and files are probably accessible from the internet " +"because the .htaccess file does not work." +msgstr "" + +#: templates/installation.php:40 +msgid "" +"For information how to properly configure your server, please see the documentation." +msgstr "" + +#: templates/installation.php:44 +msgid "Create an admin account" +msgstr "" + +#: templates/installation.php:62 +msgid "Advanced" +msgstr "" + +#: templates/installation.php:64 +msgid "Data folder" +msgstr "" + +#: templates/installation.php:74 +msgid "Configure the database" +msgstr "" + +#: templates/installation.php:79 templates/installation.php:91 +#: templates/installation.php:102 templates/installation.php:113 +#: templates/installation.php:125 +msgid "will be used" +msgstr "" + +#: templates/installation.php:137 +msgid "Database user" +msgstr "" + +#: templates/installation.php:144 +msgid "Database password" +msgstr "" + +#: templates/installation.php:149 +msgid "Database name" +msgstr "" + +#: templates/installation.php:159 +msgid "Database tablespace" +msgstr "" + +#: templates/installation.php:166 +msgid "Database host" +msgstr "" + +#: templates/installation.php:172 +msgid "Finish setup" +msgstr "" + +#: templates/layout.user.php:43 +#, php-format +msgid "%s is available. Get more information on how to update." +msgstr "" + +#: templates/layout.user.php:68 +msgid "Log out" +msgstr "" + +#: templates/login.php:9 +msgid "Automatic logon rejected!" +msgstr "" + +#: templates/login.php:10 +msgid "" +"If you did not change your password recently, your account may be " +"compromised!" +msgstr "" + +#: templates/login.php:12 +msgid "Please change your password to secure your account again." +msgstr "" + +#: templates/login.php:34 +msgid "Lost your password?" +msgstr "" + +#: templates/login.php:39 +msgid "remember" +msgstr "" + +#: templates/login.php:41 +msgid "Log in" +msgstr "" + +#: templates/login.php:47 +msgid "Alternative Logins" +msgstr "" + +#: templates/mail.php:16 +#, php-format +msgid "" +"Hey there,

    just letting you know that %s shared »%s« with you.
    View it!

    Cheers!" +msgstr "" + +#: templates/part.pagenavi.php:3 +msgid "prev" +msgstr "" + +#: templates/part.pagenavi.php:20 +msgid "next" +msgstr "" + +#: templates/update.php:3 +#, php-format +msgid "Updating ownCloud to version %s, this may take a while." +msgstr "" diff --git a/l10n/ml_IN/files.po b/l10n/ml_IN/files.po new file mode 100644 index 0000000000..056f4c8f4b --- /dev/null +++ b/l10n/ml_IN/files.po @@ -0,0 +1,348 @@ +# SOME DESCRIPTIVE TITLE. +# Copyright (C) YEAR THE PACKAGE'S COPYRIGHT HOLDER +# This file is distributed under the same license as the PACKAGE package. +# +# Translators: +msgid "" +msgstr "" +"Project-Id-Version: ownCloud\n" +"Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" +"POT-Creation-Date: 2013-07-22 01:54-0400\n" +"PO-Revision-Date: 2013-07-22 05:55+0000\n" +"Last-Translator: I Robot \n" +"Language-Team: Malayalam (India) (http://www.transifex.com/projects/p/owncloud/language/ml_IN/)\n" +"MIME-Version: 1.0\n" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Language: ml_IN\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" + +#: ajax/move.php:17 +#, php-format +msgid "Could not move %s - File with this name already exists" +msgstr "" + +#: ajax/move.php:27 ajax/move.php:30 +#, php-format +msgid "Could not move %s" +msgstr "" + +#: ajax/upload.php:16 ajax/upload.php:45 +msgid "Unable to set upload directory." +msgstr "" + +#: ajax/upload.php:22 +msgid "Invalid Token" +msgstr "" + +#: ajax/upload.php:59 +msgid "No file was uploaded. Unknown error" +msgstr "" + +#: ajax/upload.php:66 +msgid "There is no error, the file uploaded with success" +msgstr "" + +#: ajax/upload.php:67 +msgid "" +"The uploaded file exceeds the upload_max_filesize directive in php.ini: " +msgstr "" + +#: ajax/upload.php:69 +msgid "" +"The uploaded file exceeds the MAX_FILE_SIZE directive that was specified in " +"the HTML form" +msgstr "" + +#: ajax/upload.php:70 +msgid "The uploaded file was only partially uploaded" +msgstr "" + +#: ajax/upload.php:71 +msgid "No file was uploaded" +msgstr "" + +#: ajax/upload.php:72 +msgid "Missing a temporary folder" +msgstr "" + +#: ajax/upload.php:73 +msgid "Failed to write to disk" +msgstr "" + +#: ajax/upload.php:91 +msgid "Not enough storage available" +msgstr "" + +#: ajax/upload.php:123 +msgid "Invalid directory." +msgstr "" + +#: appinfo/app.php:12 +msgid "Files" +msgstr "" + +#: js/file-upload.js:11 +msgid "Unable to upload your file as it is a directory or has 0 bytes" +msgstr "" + +#: js/file-upload.js:24 +msgid "Not enough space available" +msgstr "" + +#: js/file-upload.js:64 +msgid "Upload cancelled." +msgstr "" + +#: js/file-upload.js:167 js/files.js:266 +msgid "" +"File upload is in progress. Leaving the page now will cancel the upload." +msgstr "" + +#: js/file-upload.js:233 js/files.js:339 +msgid "URL cannot be empty." +msgstr "" + +#: js/file-upload.js:238 lib/app.php:53 +msgid "Invalid folder name. Usage of 'Shared' is reserved by ownCloud" +msgstr "" + +#: js/file-upload.js:267 js/file-upload.js:283 js/files.js:373 js/files.js:389 +#: js/files.js:693 js/files.js:731 +msgid "Error" +msgstr "" + +#: js/fileactions.js:116 +msgid "Share" +msgstr "" + +#: js/fileactions.js:126 +msgid "Delete permanently" +msgstr "" + +#: js/fileactions.js:128 templates/index.php:93 templates/index.php:94 +msgid "Delete" +msgstr "" + +#: js/fileactions.js:194 +msgid "Rename" +msgstr "" + +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:465 +msgid "Pending" +msgstr "" + +#: js/filelist.js:303 js/filelist.js:305 +msgid "{new_name} already exists" +msgstr "" + +#: js/filelist.js:303 js/filelist.js:305 +msgid "replace" +msgstr "" + +#: js/filelist.js:303 +msgid "suggest name" +msgstr "" + +#: js/filelist.js:303 js/filelist.js:305 +msgid "cancel" +msgstr "" + +#: js/filelist.js:350 +msgid "replaced {new_name} with {old_name}" +msgstr "" + +#: js/filelist.js:350 +msgid "undo" +msgstr "" + +#: js/filelist.js:375 +msgid "perform delete operation" +msgstr "" + +#: js/filelist.js:457 +msgid "1 file uploading" +msgstr "" + +#: js/filelist.js:460 js/filelist.js:518 +msgid "files uploading" +msgstr "" + +#: js/files.js:52 +msgid "'.' is an invalid file name." +msgstr "" + +#: js/files.js:56 +msgid "File name cannot be empty." +msgstr "" + +#: js/files.js:64 +msgid "" +"Invalid name, '\\', '/', '<', '>', ':', '\"', '|', '?' and '*' are not " +"allowed." +msgstr "" + +#: js/files.js:78 +msgid "Your storage is full, files can not be updated or synced anymore!" +msgstr "" + +#: js/files.js:82 +msgid "Your storage is almost full ({usedSpacePercent}%)" +msgstr "" + +#: js/files.js:231 +msgid "" +"Your download is being prepared. This might take some time if the files are " +"big." +msgstr "" + +#: js/files.js:344 +msgid "Invalid folder name. Usage of 'Shared' is reserved by Owncloud" +msgstr "" + +#: js/files.js:744 templates/index.php:69 +msgid "Name" +msgstr "" + +#: js/files.js:745 templates/index.php:80 +msgid "Size" +msgstr "" + +#: js/files.js:746 templates/index.php:82 +msgid "Modified" +msgstr "" + +#: js/files.js:763 +msgid "1 folder" +msgstr "" + +#: js/files.js:765 +msgid "{count} folders" +msgstr "" + +#: js/files.js:773 +msgid "1 file" +msgstr "" + +#: js/files.js:775 +msgid "{count} files" +msgstr "" + +#: lib/app.php:73 +#, php-format +msgid "%s could not be renamed" +msgstr "" + +#: lib/helper.php:11 templates/index.php:18 +msgid "Upload" +msgstr "" + +#: templates/admin.php:5 +msgid "File handling" +msgstr "" + +#: templates/admin.php:7 +msgid "Maximum upload size" +msgstr "" + +#: templates/admin.php:10 +msgid "max. possible: " +msgstr "" + +#: templates/admin.php:15 +msgid "Needed for multi-file and folder downloads." +msgstr "" + +#: templates/admin.php:17 +msgid "Enable ZIP-download" +msgstr "" + +#: templates/admin.php:20 +msgid "0 is unlimited" +msgstr "" + +#: templates/admin.php:22 +msgid "Maximum input size for ZIP files" +msgstr "" + +#: templates/admin.php:26 +msgid "Save" +msgstr "" + +#: templates/index.php:7 +msgid "New" +msgstr "" + +#: templates/index.php:10 +msgid "Text file" +msgstr "" + +#: templates/index.php:12 +msgid "Folder" +msgstr "" + +#: templates/index.php:14 +msgid "From link" +msgstr "" + +#: templates/index.php:42 +msgid "Deleted files" +msgstr "" + +#: templates/index.php:48 +msgid "Cancel upload" +msgstr "" + +#: templates/index.php:54 +msgid "You don’t have write permissions here." +msgstr "" + +#: templates/index.php:61 +msgid "Nothing in here. Upload something!" +msgstr "" + +#: templates/index.php:75 +msgid "Download" +msgstr "" + +#: templates/index.php:87 templates/index.php:88 +msgid "Unshare" +msgstr "" + +#: templates/index.php:107 +msgid "Upload too large" +msgstr "" + +#: templates/index.php:109 +msgid "" +"The files you are trying to upload exceed the maximum size for file uploads " +"on this server." +msgstr "" + +#: templates/index.php:114 +msgid "Files are being scanned, please wait." +msgstr "" + +#: templates/index.php:117 +msgid "Current scanning" +msgstr "" + +#: templates/part.list.php:74 +msgid "directory" +msgstr "" + +#: templates/part.list.php:76 +msgid "directories" +msgstr "" + +#: templates/part.list.php:85 +msgid "file" +msgstr "" + +#: templates/part.list.php:87 +msgid "files" +msgstr "" + +#: templates/upgrade.php:2 +msgid "Upgrading filesystem cache..." +msgstr "" diff --git a/l10n/ml_IN/files_encryption.po b/l10n/ml_IN/files_encryption.po new file mode 100644 index 0000000000..788f7259d4 --- /dev/null +++ b/l10n/ml_IN/files_encryption.po @@ -0,0 +1,172 @@ +# SOME DESCRIPTIVE TITLE. +# Copyright (C) YEAR THE PACKAGE'S COPYRIGHT HOLDER +# This file is distributed under the same license as the PACKAGE package. +# +# Translators: +msgid "" +msgstr "" +"Project-Id-Version: ownCloud\n" +"Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" +"POT-Creation-Date: 2013-07-06 02:01+0200\n" +"PO-Revision-Date: 2013-07-05 08:25+0000\n" +"Last-Translator: I Robot \n" +"Language-Team: Malayalam (India) (http://www.transifex.com/projects/p/owncloud/language/ml_IN/)\n" +"MIME-Version: 1.0\n" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Language: ml_IN\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" + +#: ajax/adminrecovery.php:29 +msgid "Recovery key successfully enabled" +msgstr "" + +#: ajax/adminrecovery.php:34 +msgid "" +"Could not enable recovery key. Please check your recovery key password!" +msgstr "" + +#: ajax/adminrecovery.php:48 +msgid "Recovery key successfully disabled" +msgstr "" + +#: ajax/adminrecovery.php:53 +msgid "" +"Could not disable recovery key. Please check your recovery key password!" +msgstr "" + +#: ajax/changeRecoveryPassword.php:49 +msgid "Password successfully changed." +msgstr "" + +#: ajax/changeRecoveryPassword.php:51 +msgid "Could not change the password. Maybe the old password was not correct." +msgstr "" + +#: ajax/updatePrivateKeyPassword.php:51 +msgid "Private key password successfully updated." +msgstr "" + +#: ajax/updatePrivateKeyPassword.php:53 +msgid "" +"Could not update the private key password. Maybe the old password was not " +"correct." +msgstr "" + +#: files/error.php:7 +msgid "" +"Your private key is not valid! Likely your password was changed outside the " +"ownCloud system (e.g. your corporate directory). You can update your private" +" key password in your personal settings to recover access to your encrypted " +"files." +msgstr "" + +#: hooks/hooks.php:44 +msgid "Missing requirements." +msgstr "" + +#: hooks/hooks.php:45 +msgid "" +"Please make sure that PHP 5.3.3 or newer is installed and that the OpenSSL " +"PHP extension is enabled and configured properly. For now, the encryption " +"app has been disabled." +msgstr "" + +#: js/settings-admin.js:11 +msgid "Saving..." +msgstr "" + +#: templates/invalid_private_key.php:5 +msgid "" +"Your private key is not valid! Maybe the your password was changed from " +"outside." +msgstr "" + +#: templates/invalid_private_key.php:7 +msgid "You can unlock your private key in your " +msgstr "" + +#: templates/invalid_private_key.php:7 +msgid "personal settings" +msgstr "" + +#: templates/settings-admin.php:5 templates/settings-personal.php:4 +msgid "Encryption" +msgstr "" + +#: templates/settings-admin.php:10 +msgid "" +"Enable recovery key (allow to recover users files in case of password loss):" +msgstr "" + +#: templates/settings-admin.php:14 +msgid "Recovery key password" +msgstr "" + +#: templates/settings-admin.php:21 templates/settings-personal.php:54 +msgid "Enabled" +msgstr "" + +#: templates/settings-admin.php:29 templates/settings-personal.php:62 +msgid "Disabled" +msgstr "" + +#: templates/settings-admin.php:34 +msgid "Change recovery key password:" +msgstr "" + +#: templates/settings-admin.php:41 +msgid "Old Recovery key password" +msgstr "" + +#: templates/settings-admin.php:48 +msgid "New Recovery key password" +msgstr "" + +#: templates/settings-admin.php:53 +msgid "Change Password" +msgstr "" + +#: templates/settings-personal.php:11 +msgid "Your private key password no longer match your log-in password:" +msgstr "" + +#: templates/settings-personal.php:14 +msgid "Set your old private key password to your current log-in password." +msgstr "" + +#: templates/settings-personal.php:16 +msgid "" +" If you don't remember your old password you can ask your administrator to " +"recover your files." +msgstr "" + +#: templates/settings-personal.php:24 +msgid "Old log-in password" +msgstr "" + +#: templates/settings-personal.php:30 +msgid "Current log-in password" +msgstr "" + +#: templates/settings-personal.php:35 +msgid "Update Private Key Password" +msgstr "" + +#: templates/settings-personal.php:45 +msgid "Enable password recovery:" +msgstr "" + +#: templates/settings-personal.php:47 +msgid "" +"Enabling this option will allow you to reobtain access to your encrypted " +"files in case of password loss" +msgstr "" + +#: templates/settings-personal.php:63 +msgid "File recovery settings updated" +msgstr "" + +#: templates/settings-personal.php:64 +msgid "Could not update file recovery" +msgstr "" diff --git a/l10n/ml_IN/files_external.po b/l10n/ml_IN/files_external.po new file mode 100644 index 0000000000..1b638a2af4 --- /dev/null +++ b/l10n/ml_IN/files_external.po @@ -0,0 +1,123 @@ +# SOME DESCRIPTIVE TITLE. +# Copyright (C) YEAR THE PACKAGE'S COPYRIGHT HOLDER +# This file is distributed under the same license as the PACKAGE package. +# +# Translators: +msgid "" +msgstr "" +"Project-Id-Version: ownCloud\n" +"Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" +"POT-Creation-Date: 2013-07-06 02:01+0200\n" +"PO-Revision-Date: 2013-07-05 08:25+0000\n" +"Last-Translator: I Robot \n" +"Language-Team: Malayalam (India) (http://www.transifex.com/projects/p/owncloud/language/ml_IN/)\n" +"MIME-Version: 1.0\n" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Language: ml_IN\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" + +#: js/dropbox.js:7 js/dropbox.js:28 js/google.js:16 js/google.js:34 +msgid "Access granted" +msgstr "" + +#: js/dropbox.js:30 js/dropbox.js:96 js/dropbox.js:102 +msgid "Error configuring Dropbox storage" +msgstr "" + +#: js/dropbox.js:65 js/google.js:66 +msgid "Grant access" +msgstr "" + +#: js/dropbox.js:101 +msgid "Please provide a valid Dropbox app key and secret." +msgstr "" + +#: js/google.js:36 js/google.js:93 +msgid "Error configuring Google Drive storage" +msgstr "" + +#: lib/config.php:431 +msgid "" +"Warning: \"smbclient\" is not installed. Mounting of CIFS/SMB shares " +"is not possible. Please ask your system administrator to install it." +msgstr "" + +#: lib/config.php:434 +msgid "" +"Warning: The FTP support in PHP is not enabled or installed. Mounting" +" of FTP shares is not possible. Please ask your system administrator to " +"install it." +msgstr "" + +#: lib/config.php:437 +msgid "" +"Warning: The Curl support in PHP is not enabled or installed. " +"Mounting of ownCloud / WebDAV or GoogleDrive is not possible. Please ask " +"your system administrator to install it." +msgstr "" + +#: templates/settings.php:3 +msgid "External Storage" +msgstr "" + +#: templates/settings.php:9 templates/settings.php:28 +msgid "Folder name" +msgstr "" + +#: templates/settings.php:10 +msgid "External storage" +msgstr "" + +#: templates/settings.php:11 +msgid "Configuration" +msgstr "" + +#: templates/settings.php:12 +msgid "Options" +msgstr "" + +#: templates/settings.php:13 +msgid "Applicable" +msgstr "" + +#: templates/settings.php:33 +msgid "Add storage" +msgstr "" + +#: templates/settings.php:90 +msgid "None set" +msgstr "" + +#: templates/settings.php:91 +msgid "All Users" +msgstr "" + +#: templates/settings.php:92 +msgid "Groups" +msgstr "" + +#: templates/settings.php:100 +msgid "Users" +msgstr "" + +#: templates/settings.php:113 templates/settings.php:114 +#: templates/settings.php:149 templates/settings.php:150 +msgid "Delete" +msgstr "" + +#: templates/settings.php:129 +msgid "Enable User External Storage" +msgstr "" + +#: templates/settings.php:130 +msgid "Allow users to mount their own external storage" +msgstr "" + +#: templates/settings.php:141 +msgid "SSL root certificates" +msgstr "" + +#: templates/settings.php:159 +msgid "Import Root Certificate" +msgstr "" diff --git a/l10n/ml_IN/files_sharing.po b/l10n/ml_IN/files_sharing.po new file mode 100644 index 0000000000..dbf8befe5f --- /dev/null +++ b/l10n/ml_IN/files_sharing.po @@ -0,0 +1,56 @@ +# SOME DESCRIPTIVE TITLE. +# Copyright (C) YEAR THE PACKAGE'S COPYRIGHT HOLDER +# This file is distributed under the same license as the PACKAGE package. +# +# Translators: +msgid "" +msgstr "" +"Project-Id-Version: ownCloud\n" +"Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" +"POT-Creation-Date: 2013-07-06 02:01+0200\n" +"PO-Revision-Date: 2013-07-05 08:25+0000\n" +"Last-Translator: I Robot \n" +"Language-Team: Malayalam (India) (http://www.transifex.com/projects/p/owncloud/language/ml_IN/)\n" +"MIME-Version: 1.0\n" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Language: ml_IN\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" + +#: templates/authenticate.php:4 +msgid "The password is wrong. Try again." +msgstr "" + +#: templates/authenticate.php:7 +msgid "Password" +msgstr "" + +#: templates/authenticate.php:9 +msgid "Submit" +msgstr "" + +#: templates/public.php:17 +#, php-format +msgid "%s shared the folder %s with you" +msgstr "" + +#: templates/public.php:20 +#, php-format +msgid "%s shared the file %s with you" +msgstr "" + +#: templates/public.php:28 templates/public.php:90 +msgid "Download" +msgstr "" + +#: templates/public.php:45 templates/public.php:48 +msgid "Upload" +msgstr "" + +#: templates/public.php:58 +msgid "Cancel upload" +msgstr "" + +#: templates/public.php:87 +msgid "No preview available for" +msgstr "" diff --git a/l10n/ml_IN/files_trashbin.po b/l10n/ml_IN/files_trashbin.po new file mode 100644 index 0000000000..6aae4c8731 --- /dev/null +++ b/l10n/ml_IN/files_trashbin.po @@ -0,0 +1,84 @@ +# SOME DESCRIPTIVE TITLE. +# Copyright (C) YEAR THE PACKAGE'S COPYRIGHT HOLDER +# This file is distributed under the same license as the PACKAGE package. +# +# Translators: +msgid "" +msgstr "" +"Project-Id-Version: ownCloud\n" +"Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" +"POT-Creation-Date: 2013-07-06 02:01+0200\n" +"PO-Revision-Date: 2013-07-05 08:25+0000\n" +"Last-Translator: I Robot \n" +"Language-Team: Malayalam (India) (http://www.transifex.com/projects/p/owncloud/language/ml_IN/)\n" +"MIME-Version: 1.0\n" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Language: ml_IN\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" + +#: ajax/delete.php:42 +#, php-format +msgid "Couldn't delete %s permanently" +msgstr "" + +#: ajax/undelete.php:42 +#, php-format +msgid "Couldn't restore %s" +msgstr "" + +#: js/trash.js:7 js/trash.js:97 +msgid "perform restore operation" +msgstr "" + +#: js/trash.js:19 js/trash.js:46 js/trash.js:115 js/trash.js:141 +msgid "Error" +msgstr "" + +#: js/trash.js:34 +msgid "delete file permanently" +msgstr "" + +#: js/trash.js:123 +msgid "Delete permanently" +msgstr "" + +#: js/trash.js:176 templates/index.php:17 +msgid "Name" +msgstr "" + +#: js/trash.js:177 templates/index.php:27 +msgid "Deleted" +msgstr "" + +#: js/trash.js:186 +msgid "1 folder" +msgstr "" + +#: js/trash.js:188 +msgid "{count} folders" +msgstr "" + +#: js/trash.js:196 +msgid "1 file" +msgstr "" + +#: js/trash.js:198 +msgid "{count} files" +msgstr "" + +#: templates/index.php:9 +msgid "Nothing in here. Your trash bin is empty!" +msgstr "" + +#: templates/index.php:20 templates/index.php:22 +msgid "Restore" +msgstr "" + +#: templates/index.php:30 templates/index.php:31 +msgid "Delete" +msgstr "" + +#: templates/part.breadcrumb.php:9 +msgid "Deleted Files" +msgstr "" diff --git a/l10n/ml_IN/files_versions.po b/l10n/ml_IN/files_versions.po new file mode 100644 index 0000000000..7fbfa21dcc --- /dev/null +++ b/l10n/ml_IN/files_versions.po @@ -0,0 +1,57 @@ +# SOME DESCRIPTIVE TITLE. +# Copyright (C) YEAR THE PACKAGE'S COPYRIGHT HOLDER +# This file is distributed under the same license as the PACKAGE package. +# +# Translators: +msgid "" +msgstr "" +"Project-Id-Version: ownCloud\n" +"Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" +"POT-Creation-Date: 2013-07-06 02:01+0200\n" +"PO-Revision-Date: 2013-07-05 08:25+0000\n" +"Last-Translator: I Robot \n" +"Language-Team: Malayalam (India) (http://www.transifex.com/projects/p/owncloud/language/ml_IN/)\n" +"MIME-Version: 1.0\n" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Language: ml_IN\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" + +#: ajax/rollbackVersion.php:15 +#, php-format +msgid "Could not revert: %s" +msgstr "" + +#: history.php:40 +msgid "success" +msgstr "" + +#: history.php:42 +#, php-format +msgid "File %s was reverted to version %s" +msgstr "" + +#: history.php:49 +msgid "failure" +msgstr "" + +#: history.php:51 +#, php-format +msgid "File %s could not be reverted to version %s" +msgstr "" + +#: history.php:69 +msgid "No old versions available" +msgstr "" + +#: history.php:74 +msgid "No path specified" +msgstr "" + +#: js/versions.js:6 +msgid "Versions" +msgstr "" + +#: templates/history.php:20 +msgid "Revert a file to a previous version by clicking on its revert button" +msgstr "" diff --git a/l10n/ml_IN/lib.po b/l10n/ml_IN/lib.po new file mode 100644 index 0000000000..8590f74b67 --- /dev/null +++ b/l10n/ml_IN/lib.po @@ -0,0 +1,267 @@ +# SOME DESCRIPTIVE TITLE. +# Copyright (C) YEAR THE PACKAGE'S COPYRIGHT HOLDER +# This file is distributed under the same license as the PACKAGE package. +# +# Translators: +msgid "" +msgstr "" +"Project-Id-Version: ownCloud\n" +"Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" +"POT-Creation-Date: 2013-07-24 01:55-0400\n" +"PO-Revision-Date: 2013-07-24 05:55+0000\n" +"Last-Translator: I Robot \n" +"Language-Team: Malayalam (India) (http://www.transifex.com/projects/p/owncloud/language/ml_IN/)\n" +"MIME-Version: 1.0\n" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Language: ml_IN\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" + +#: app.php:360 +msgid "Help" +msgstr "" + +#: app.php:373 +msgid "Personal" +msgstr "" + +#: app.php:384 +msgid "Settings" +msgstr "" + +#: app.php:396 +msgid "Users" +msgstr "" + +#: app.php:409 +msgid "Apps" +msgstr "" + +#: app.php:417 +msgid "Admin" +msgstr "" + +#: app.php:844 +#, php-format +msgid "Failed to upgrade \"%s\"." +msgstr "" + +#: defaults.php:33 +msgid "web services under your control" +msgstr "" + +#: files.php:66 files.php:98 +#, php-format +msgid "cannot open \"%s\"" +msgstr "" + +#: files.php:226 +msgid "ZIP download is turned off." +msgstr "" + +#: files.php:227 +msgid "Files need to be downloaded one by one." +msgstr "" + +#: files.php:228 files.php:256 +msgid "Back to Files" +msgstr "" + +#: files.php:253 +msgid "Selected files too large to generate zip file." +msgstr "" + +#: files.php:254 +msgid "" +"Download the files in smaller chunks, seperately or kindly ask your " +"administrator." +msgstr "" + +#: helper.php:235 +msgid "couldn't be determined" +msgstr "" + +#: json.php:28 +msgid "Application is not enabled" +msgstr "" + +#: json.php:39 json.php:62 json.php:73 +msgid "Authentication error" +msgstr "" + +#: json.php:51 +msgid "Token expired. Please reload page." +msgstr "" + +#: search/provider/file.php:17 search/provider/file.php:35 +msgid "Files" +msgstr "" + +#: search/provider/file.php:26 search/provider/file.php:33 +msgid "Text" +msgstr "" + +#: search/provider/file.php:29 +msgid "Images" +msgstr "" + +#: setup/abstractdatabase.php:22 +#, php-format +msgid "%s enter the database username." +msgstr "" + +#: setup/abstractdatabase.php:25 +#, php-format +msgid "%s enter the database name." +msgstr "" + +#: setup/abstractdatabase.php:28 +#, php-format +msgid "%s you may not use dots in the database name" +msgstr "" + +#: setup/mssql.php:20 +#, php-format +msgid "MS SQL username and/or password not valid: %s" +msgstr "" + +#: setup/mssql.php:21 setup/mysql.php:13 setup/oci.php:114 +#: setup/postgresql.php:24 setup/postgresql.php:70 +msgid "You need to enter either an existing account or the administrator." +msgstr "" + +#: setup/mysql.php:12 +msgid "MySQL username and/or password not valid" +msgstr "" + +#: setup/mysql.php:67 setup/oci.php:54 setup/oci.php:121 setup/oci.php:147 +#: setup/oci.php:154 setup/oci.php:165 setup/oci.php:172 setup/oci.php:181 +#: setup/oci.php:189 setup/oci.php:198 setup/oci.php:204 +#: setup/postgresql.php:89 setup/postgresql.php:98 setup/postgresql.php:115 +#: setup/postgresql.php:125 setup/postgresql.php:134 +#, php-format +msgid "DB Error: \"%s\"" +msgstr "" + +#: setup/mysql.php:68 setup/oci.php:55 setup/oci.php:122 setup/oci.php:148 +#: setup/oci.php:155 setup/oci.php:166 setup/oci.php:182 setup/oci.php:190 +#: setup/oci.php:199 setup/postgresql.php:90 setup/postgresql.php:99 +#: setup/postgresql.php:116 setup/postgresql.php:126 setup/postgresql.php:135 +#, php-format +msgid "Offending command was: \"%s\"" +msgstr "" + +#: setup/mysql.php:85 +#, php-format +msgid "MySQL user '%s'@'localhost' exists already." +msgstr "" + +#: setup/mysql.php:86 +msgid "Drop this user from MySQL" +msgstr "" + +#: setup/mysql.php:91 +#, php-format +msgid "MySQL user '%s'@'%%' already exists" +msgstr "" + +#: setup/mysql.php:92 +msgid "Drop this user from MySQL." +msgstr "" + +#: setup/oci.php:34 +msgid "Oracle connection could not be established" +msgstr "" + +#: setup/oci.php:41 setup/oci.php:113 +msgid "Oracle username and/or password not valid" +msgstr "" + +#: setup/oci.php:173 setup/oci.php:205 +#, php-format +msgid "Offending command was: \"%s\", name: %s, password: %s" +msgstr "" + +#: setup/postgresql.php:23 setup/postgresql.php:69 +msgid "PostgreSQL username and/or password not valid" +msgstr "" + +#: setup.php:28 +msgid "Set an admin username." +msgstr "" + +#: setup.php:31 +msgid "Set an admin password." +msgstr "" + +#: setup.php:184 +msgid "" +"Your web server is not yet properly setup to allow files synchronization " +"because the WebDAV interface seems to be broken." +msgstr "" + +#: setup.php:185 +#, php-format +msgid "Please double check the installation guides." +msgstr "" + +#: template/functions.php:80 +msgid "seconds ago" +msgstr "" + +#: template/functions.php:81 +msgid "1 minute ago" +msgstr "" + +#: template/functions.php:82 +#, php-format +msgid "%d minutes ago" +msgstr "" + +#: template/functions.php:83 +msgid "1 hour ago" +msgstr "" + +#: template/functions.php:84 +#, php-format +msgid "%d hours ago" +msgstr "" + +#: template/functions.php:85 +msgid "today" +msgstr "" + +#: template/functions.php:86 +msgid "yesterday" +msgstr "" + +#: template/functions.php:87 +#, php-format +msgid "%d days ago" +msgstr "" + +#: template/functions.php:88 +msgid "last month" +msgstr "" + +#: template/functions.php:89 +#, php-format +msgid "%d months ago" +msgstr "" + +#: template/functions.php:90 +msgid "last year" +msgstr "" + +#: template/functions.php:91 +msgid "years ago" +msgstr "" + +#: template.php:296 +msgid "Caused by:" +msgstr "" + +#: vcategories.php:188 vcategories.php:249 +#, php-format +msgid "Could not find category \"%s\"" +msgstr "" diff --git a/l10n/ml_IN/settings.po b/l10n/ml_IN/settings.po new file mode 100644 index 0000000000..98dba3aa23 --- /dev/null +++ b/l10n/ml_IN/settings.po @@ -0,0 +1,518 @@ +# SOME DESCRIPTIVE TITLE. +# Copyright (C) YEAR THE PACKAGE'S COPYRIGHT HOLDER +# This file is distributed under the same license as the PACKAGE package. +# +# Translators: +msgid "" +msgstr "" +"Project-Id-Version: ownCloud\n" +"Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:55+0000\n" +"Last-Translator: I Robot \n" +"Language-Team: Malayalam (India) (http://www.transifex.com/projects/p/owncloud/language/ml_IN/)\n" +"MIME-Version: 1.0\n" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Language: ml_IN\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" + +#: ajax/apps/ocs.php:20 +msgid "Unable to load list from App Store" +msgstr "" + +#: ajax/changedisplayname.php:25 ajax/removeuser.php:15 ajax/setquota.php:17 +#: ajax/togglegroups.php:20 +msgid "Authentication error" +msgstr "" + +#: ajax/changedisplayname.php:31 +msgid "Your display name has been changed." +msgstr "" + +#: ajax/changedisplayname.php:34 +msgid "Unable to change display name" +msgstr "" + +#: ajax/creategroup.php:10 +msgid "Group already exists" +msgstr "" + +#: ajax/creategroup.php:19 +msgid "Unable to add group" +msgstr "" + +#: ajax/enableapp.php:11 +msgid "Could not enable app. " +msgstr "" + +#: ajax/lostpassword.php:12 +msgid "Email saved" +msgstr "" + +#: ajax/lostpassword.php:14 +msgid "Invalid email" +msgstr "" + +#: ajax/removegroup.php:13 +msgid "Unable to delete group" +msgstr "" + +#: ajax/removeuser.php:25 +msgid "Unable to delete user" +msgstr "" + +#: ajax/setlanguage.php:15 +msgid "Language changed" +msgstr "" + +#: ajax/setlanguage.php:17 ajax/setlanguage.php:20 +msgid "Invalid request" +msgstr "" + +#: ajax/togglegroups.php:12 +msgid "Admins can't remove themself from the admin group" +msgstr "" + +#: ajax/togglegroups.php:30 +#, php-format +msgid "Unable to add user to group %s" +msgstr "" + +#: ajax/togglegroups.php:36 +#, php-format +msgid "Unable to remove user from group %s" +msgstr "" + +#: ajax/updateapp.php:14 +msgid "Couldn't update app." +msgstr "" + +#: js/apps.js:35 +msgid "Update to {appversion}" +msgstr "" + +#: js/apps.js:41 js/apps.js:81 +msgid "Disable" +msgstr "" + +#: js/apps.js:41 js/apps.js:69 js/apps.js:88 +msgid "Enable" +msgstr "" + +#: js/apps.js:60 +msgid "Please wait...." +msgstr "" + +#: js/apps.js:64 js/apps.js:76 js/apps.js:85 js/apps.js:98 +msgid "Error" +msgstr "" + +#: js/apps.js:95 +msgid "Updating...." +msgstr "" + +#: js/apps.js:98 +msgid "Error while updating app" +msgstr "" + +#: js/apps.js:101 +msgid "Updated" +msgstr "" + +#: js/personal.js:118 +msgid "Saving..." +msgstr "" + +#: js/users.js:47 +msgid "deleted" +msgstr "" + +#: js/users.js:47 +msgid "undo" +msgstr "" + +#: js/users.js:79 +msgid "Unable to remove user" +msgstr "" + +#: js/users.js:92 templates/users.php:26 templates/users.php:87 +#: templates/users.php:112 +msgid "Groups" +msgstr "" + +#: js/users.js:95 templates/users.php:89 templates/users.php:124 +msgid "Group Admin" +msgstr "" + +#: js/users.js:115 templates/users.php:164 +msgid "Delete" +msgstr "" + +#: js/users.js:269 +msgid "add group" +msgstr "" + +#: js/users.js:428 +msgid "A valid username must be provided" +msgstr "" + +#: js/users.js:429 js/users.js:435 js/users.js:450 +msgid "Error creating user" +msgstr "" + +#: js/users.js:434 +msgid "A valid password must be provided" +msgstr "" + +#: personal.php:37 personal.php:38 +msgid "__language_name__" +msgstr "" + +#: templates/admin.php:17 +msgid "Security Warning" +msgstr "" + +#: templates/admin.php:20 +msgid "" +"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." +msgstr "" + +#: templates/admin.php:31 +msgid "Setup Warning" +msgstr "" + +#: templates/admin.php:34 +msgid "" +"Your web server is not yet properly setup to allow files synchronization " +"because the WebDAV interface seems to be broken." +msgstr "" + +#: templates/admin.php:35 +#, php-format +msgid "Please double check the installation guides." +msgstr "" + +#: templates/admin.php:46 +msgid "Module 'fileinfo' missing" +msgstr "" + +#: templates/admin.php:49 +msgid "" +"The PHP module 'fileinfo' is missing. We strongly recommend to enable this " +"module to get best results with mime-type detection." +msgstr "" + +#: templates/admin.php:60 +msgid "Locale not working" +msgstr "" + +#: templates/admin.php:65 +#, php-format +msgid "" +"This ownCloud server can't set system locale to %s. This means that there " +"might be problems with certain characters in file names. We strongly suggest" +" to install the required packages on your system to support %s." +msgstr "" + +#: templates/admin.php:77 +msgid "Internet connection not working" +msgstr "" + +#: templates/admin.php:80 +msgid "" +"This ownCloud server has no working internet connection. This means that " +"some of the features like mounting of external storage, notifications about " +"updates or installation of 3rd party apps don´t work. Accessing files from " +"remote and sending of notification emails might also not work. We suggest to" +" enable internet connection for this server if you want to have all features" +" of ownCloud." +msgstr "" + +#: templates/admin.php:94 +msgid "Cron" +msgstr "" + +#: templates/admin.php:103 +msgid "Execute one task with each page loaded" +msgstr "" + +#: templates/admin.php:113 +msgid "" +"cron.php is registered at a webcron service. Call the cron.php page in the " +"owncloud root once a minute over http." +msgstr "" + +#: templates/admin.php:123 +msgid "" +"Use systems cron service. Call the cron.php file in the owncloud folder via " +"a system cronjob once a minute." +msgstr "" + +#: templates/admin.php:130 +msgid "Sharing" +msgstr "" + +#: templates/admin.php:136 +msgid "Enable Share API" +msgstr "" + +#: templates/admin.php:137 +msgid "Allow apps to use the Share API" +msgstr "" + +#: templates/admin.php:144 +msgid "Allow links" +msgstr "" + +#: templates/admin.php:145 +msgid "Allow users to share items to the public with links" +msgstr "" + +#: templates/admin.php:153 +msgid "Allow public uploads" +msgstr "" + +#: templates/admin.php:154 +msgid "" +"Allow users to enable others to upload into their publicly shared folders" +msgstr "" + +#: templates/admin.php:162 +msgid "Allow resharing" +msgstr "" + +#: templates/admin.php:163 +msgid "Allow users to share items shared with them again" +msgstr "" + +#: templates/admin.php:170 +msgid "Allow users to share with anyone" +msgstr "" + +#: templates/admin.php:173 +msgid "Allow users to only share with users in their groups" +msgstr "" + +#: templates/admin.php:180 +msgid "Security" +msgstr "" + +#: templates/admin.php:193 +msgid "Enforce HTTPS" +msgstr "" + +#: templates/admin.php:194 +msgid "" +"Enforces the clients to connect to ownCloud via an encrypted connection." +msgstr "" + +#: templates/admin.php:197 +msgid "" +"Please connect to this ownCloud instance via HTTPS to enable or disable the " +"SSL enforcement." +msgstr "" + +#: templates/admin.php:207 +msgid "Log" +msgstr "" + +#: templates/admin.php:208 +msgid "Log level" +msgstr "" + +#: templates/admin.php:239 +msgid "More" +msgstr "" + +#: templates/admin.php:240 +msgid "Less" +msgstr "" + +#: templates/admin.php:246 templates/personal.php:116 +msgid "Version" +msgstr "" + +#: templates/admin.php:250 templates/personal.php:119 +msgid "" +"Developed by the ownCloud community, the source code is " +"licensed under the AGPL." +msgstr "" + +#: templates/apps.php:13 +msgid "Add your App" +msgstr "" + +#: templates/apps.php:28 +msgid "More Apps" +msgstr "" + +#: templates/apps.php:33 +msgid "Select an App" +msgstr "" + +#: templates/apps.php:39 +msgid "See application page at apps.owncloud.com" +msgstr "" + +#: templates/apps.php:41 +msgid "-licensed by " +msgstr "" + +#: templates/apps.php:43 +msgid "Update" +msgstr "" + +#: templates/help.php:4 +msgid "User Documentation" +msgstr "" + +#: templates/help.php:6 +msgid "Administrator Documentation" +msgstr "" + +#: templates/help.php:9 +msgid "Online Documentation" +msgstr "" + +#: templates/help.php:11 +msgid "Forum" +msgstr "" + +#: templates/help.php:14 +msgid "Bugtracker" +msgstr "" + +#: templates/help.php:17 +msgid "Commercial Support" +msgstr "" + +#: templates/personal.php:10 +msgid "Get the apps to sync your files" +msgstr "" + +#: templates/personal.php:21 +msgid "Show First Run Wizard again" +msgstr "" + +#: templates/personal.php:29 +#, php-format +msgid "You have used %s of the available %s" +msgstr "" + +#: templates/personal.php:41 templates/users.php:23 templates/users.php:86 +msgid "Password" +msgstr "" + +#: templates/personal.php:42 +msgid "Your password was changed" +msgstr "" + +#: templates/personal.php:43 +msgid "Unable to change your password" +msgstr "" + +#: templates/personal.php:44 +msgid "Current password" +msgstr "" + +#: templates/personal.php:46 +msgid "New password" +msgstr "" + +#: templates/personal.php:48 +msgid "Change password" +msgstr "" + +#: templates/personal.php:60 templates/users.php:85 +msgid "Display Name" +msgstr "" + +#: templates/personal.php:75 +msgid "Email" +msgstr "" + +#: templates/personal.php:77 +msgid "Your email address" +msgstr "" + +#: templates/personal.php:78 +msgid "Fill in an email address to enable password recovery" +msgstr "" + +#: templates/personal.php:87 templates/personal.php:88 +msgid "Language" +msgstr "" + +#: templates/personal.php:100 +msgid "Help translate" +msgstr "" + +#: templates/personal.php:106 +msgid "WebDAV" +msgstr "" + +#: templates/personal.php:108 +#, php-format +msgid "" +"Use this address to access your Files via WebDAV" +msgstr "" + +#: templates/users.php:21 +msgid "Login Name" +msgstr "" + +#: templates/users.php:30 +msgid "Create" +msgstr "" + +#: templates/users.php:36 +msgid "Admin Recovery Password" +msgstr "" + +#: templates/users.php:37 templates/users.php:38 +msgid "" +"Enter the recovery password in order to recover the users files during " +"password change" +msgstr "" + +#: templates/users.php:42 +msgid "Default Storage" +msgstr "" + +#: templates/users.php:48 templates/users.php:142 +msgid "Unlimited" +msgstr "" + +#: templates/users.php:66 templates/users.php:157 +msgid "Other" +msgstr "" + +#: templates/users.php:84 +msgid "Username" +msgstr "" + +#: templates/users.php:91 +msgid "Storage" +msgstr "" + +#: templates/users.php:102 +msgid "change display name" +msgstr "" + +#: templates/users.php:106 +msgid "set new password" +msgstr "" + +#: templates/users.php:137 +msgid "Default" +msgstr "" diff --git a/l10n/ml_IN/user_ldap.po b/l10n/ml_IN/user_ldap.po new file mode 100644 index 0000000000..0488df2f5a --- /dev/null +++ b/l10n/ml_IN/user_ldap.po @@ -0,0 +1,419 @@ +# SOME DESCRIPTIVE TITLE. +# Copyright (C) YEAR THE PACKAGE'S COPYRIGHT HOLDER +# This file is distributed under the same license as the PACKAGE package. +# +# Translators: +msgid "" +msgstr "" +"Project-Id-Version: ownCloud\n" +"Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" +"POT-Creation-Date: 2013-07-06 02:01+0200\n" +"PO-Revision-Date: 2013-07-05 08:25+0000\n" +"Last-Translator: I Robot \n" +"Language-Team: Malayalam (India) (http://www.transifex.com/projects/p/owncloud/language/ml_IN/)\n" +"MIME-Version: 1.0\n" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Language: ml_IN\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" + +#: ajax/clearMappings.php:34 +msgid "Failed to clear the mappings." +msgstr "" + +#: ajax/deleteConfiguration.php:34 +msgid "Failed to delete the server configuration" +msgstr "" + +#: ajax/testConfiguration.php:36 +msgid "The configuration is valid and the connection could be established!" +msgstr "" + +#: ajax/testConfiguration.php:39 +msgid "" +"The configuration is valid, but the Bind failed. Please check the server " +"settings and credentials." +msgstr "" + +#: ajax/testConfiguration.php:43 +msgid "" +"The configuration is invalid. Please look in the ownCloud log for further " +"details." +msgstr "" + +#: js/settings.js:66 +msgid "Deletion failed" +msgstr "" + +#: js/settings.js:82 +msgid "Take over settings from recent server configuration?" +msgstr "" + +#: js/settings.js:83 +msgid "Keep settings?" +msgstr "" + +#: js/settings.js:97 +msgid "Cannot add server configuration" +msgstr "" + +#: js/settings.js:111 +msgid "mappings cleared" +msgstr "" + +#: js/settings.js:112 +msgid "Success" +msgstr "" + +#: js/settings.js:117 +msgid "Error" +msgstr "" + +#: js/settings.js:141 +msgid "Connection test succeeded" +msgstr "" + +#: js/settings.js:146 +msgid "Connection test failed" +msgstr "" + +#: js/settings.js:156 +msgid "Do you really want to delete the current Server Configuration?" +msgstr "" + +#: js/settings.js:157 +msgid "Confirm Deletion" +msgstr "" + +#: templates/settings.php:9 +msgid "" +"Warning: Apps user_ldap and user_webdavauth are incompatible. You may" +" experience unexpected behaviour. Please ask your system administrator to " +"disable one of them." +msgstr "" + +#: templates/settings.php:12 +msgid "" +"Warning: The PHP LDAP module is not installed, the backend will not " +"work. Please ask your system administrator to install it." +msgstr "" + +#: templates/settings.php:16 +msgid "Server configuration" +msgstr "" + +#: templates/settings.php:32 +msgid "Add Server Configuration" +msgstr "" + +#: templates/settings.php:37 +msgid "Host" +msgstr "" + +#: templates/settings.php:39 +msgid "" +"You can omit the protocol, except you require SSL. Then start with ldaps://" +msgstr "" + +#: templates/settings.php:40 +msgid "Base DN" +msgstr "" + +#: templates/settings.php:41 +msgid "One Base DN per line" +msgstr "" + +#: templates/settings.php:42 +msgid "You can specify Base DN for users and groups in the Advanced tab" +msgstr "" + +#: templates/settings.php:44 +msgid "User DN" +msgstr "" + +#: templates/settings.php:46 +msgid "" +"The DN of the client user with which the bind shall be done, e.g. " +"uid=agent,dc=example,dc=com. For anonymous access, leave DN and Password " +"empty." +msgstr "" + +#: templates/settings.php:47 +msgid "Password" +msgstr "" + +#: templates/settings.php:50 +msgid "For anonymous access, leave DN and Password empty." +msgstr "" + +#: templates/settings.php:51 +msgid "User Login Filter" +msgstr "" + +#: templates/settings.php:54 +#, php-format +msgid "" +"Defines the filter to apply, when login is attempted. %%uid replaces the " +"username in the login action." +msgstr "" + +#: templates/settings.php:55 +#, php-format +msgid "use %%uid placeholder, e.g. \"uid=%%uid\"" +msgstr "" + +#: templates/settings.php:56 +msgid "User List Filter" +msgstr "" + +#: templates/settings.php:59 +msgid "Defines the filter to apply, when retrieving users." +msgstr "" + +#: templates/settings.php:60 +msgid "without any placeholder, e.g. \"objectClass=person\"." +msgstr "" + +#: templates/settings.php:61 +msgid "Group Filter" +msgstr "" + +#: templates/settings.php:64 +msgid "Defines the filter to apply, when retrieving groups." +msgstr "" + +#: templates/settings.php:65 +msgid "without any placeholder, e.g. \"objectClass=posixGroup\"." +msgstr "" + +#: templates/settings.php:69 +msgid "Connection Settings" +msgstr "" + +#: templates/settings.php:71 +msgid "Configuration Active" +msgstr "" + +#: templates/settings.php:71 +msgid "When unchecked, this configuration will be skipped." +msgstr "" + +#: templates/settings.php:72 +msgid "Port" +msgstr "" + +#: templates/settings.php:73 +msgid "Backup (Replica) Host" +msgstr "" + +#: templates/settings.php:73 +msgid "" +"Give an optional backup host. It must be a replica of the main LDAP/AD " +"server." +msgstr "" + +#: templates/settings.php:74 +msgid "Backup (Replica) Port" +msgstr "" + +#: templates/settings.php:75 +msgid "Disable Main Server" +msgstr "" + +#: templates/settings.php:75 +msgid "When switched on, ownCloud will only connect to the replica server." +msgstr "" + +#: templates/settings.php:76 +msgid "Use TLS" +msgstr "" + +#: templates/settings.php:76 +msgid "Do not use it additionally for LDAPS connections, it will fail." +msgstr "" + +#: templates/settings.php:77 +msgid "Case insensitve LDAP server (Windows)" +msgstr "" + +#: templates/settings.php:78 +msgid "Turn off SSL certificate validation." +msgstr "" + +#: templates/settings.php:78 +msgid "" +"If connection only works with this option, import the LDAP server's SSL " +"certificate in your ownCloud server." +msgstr "" + +#: templates/settings.php:78 +msgid "Not recommended, use for testing only." +msgstr "" + +#: templates/settings.php:79 +msgid "Cache Time-To-Live" +msgstr "" + +#: templates/settings.php:79 +msgid "in seconds. A change empties the cache." +msgstr "" + +#: templates/settings.php:81 +msgid "Directory Settings" +msgstr "" + +#: templates/settings.php:83 +msgid "User Display Name Field" +msgstr "" + +#: templates/settings.php:83 +msgid "The LDAP attribute to use to generate the user`s ownCloud name." +msgstr "" + +#: templates/settings.php:84 +msgid "Base User Tree" +msgstr "" + +#: templates/settings.php:84 +msgid "One User Base DN per line" +msgstr "" + +#: templates/settings.php:85 +msgid "User Search Attributes" +msgstr "" + +#: templates/settings.php:85 templates/settings.php:88 +msgid "Optional; one attribute per line" +msgstr "" + +#: templates/settings.php:86 +msgid "Group Display Name Field" +msgstr "" + +#: templates/settings.php:86 +msgid "The LDAP attribute to use to generate the groups`s ownCloud name." +msgstr "" + +#: templates/settings.php:87 +msgid "Base Group Tree" +msgstr "" + +#: templates/settings.php:87 +msgid "One Group Base DN per line" +msgstr "" + +#: templates/settings.php:88 +msgid "Group Search Attributes" +msgstr "" + +#: templates/settings.php:89 +msgid "Group-Member association" +msgstr "" + +#: templates/settings.php:91 +msgid "Special Attributes" +msgstr "" + +#: templates/settings.php:93 +msgid "Quota Field" +msgstr "" + +#: templates/settings.php:94 +msgid "Quota Default" +msgstr "" + +#: templates/settings.php:94 +msgid "in bytes" +msgstr "" + +#: templates/settings.php:95 +msgid "Email Field" +msgstr "" + +#: templates/settings.php:96 +msgid "User Home Folder Naming Rule" +msgstr "" + +#: templates/settings.php:96 +msgid "" +"Leave empty for user name (default). Otherwise, specify an LDAP/AD " +"attribute." +msgstr "" + +#: templates/settings.php:101 +msgid "Internal Username" +msgstr "" + +#: templates/settings.php:102 +msgid "" +"By default the internal username will be created from the UUID attribute. It" +" makes sure that the username is unique and characters do not need to be " +"converted. The internal username has the restriction that only these " +"characters are allowed: [ a-zA-Z0-9_.@- ]. Other characters are replaced " +"with their ASCII correspondence or simply omitted. On collisions a number " +"will be added/increased. The internal username is used to identify a user " +"internally. It is also the default name for the user home folder in " +"ownCloud. It is also a port of remote URLs, for instance for all *DAV " +"services. With this setting, the default behaviour can be overriden. To " +"achieve a similar behaviour as before ownCloud 5 enter the user display name" +" attribute in the following field. Leave it empty for default behaviour. " +"Changes will have effect only on newly mapped (added) LDAP users." +msgstr "" + +#: templates/settings.php:103 +msgid "Internal Username Attribute:" +msgstr "" + +#: templates/settings.php:104 +msgid "Override UUID detection" +msgstr "" + +#: templates/settings.php:105 +msgid "" +"By default, ownCloud autodetects the UUID attribute. The UUID attribute is " +"used to doubtlessly identify LDAP users and groups. Also, the internal " +"username will be created based on the UUID, if not specified otherwise " +"above. You can override the setting and pass an attribute of your choice. " +"You must make sure that the attribute of your choice can be fetched for both" +" users and groups and it is unique. Leave it empty for default behaviour. " +"Changes will have effect only on newly mapped (added) LDAP users and groups." +msgstr "" + +#: templates/settings.php:106 +msgid "UUID Attribute:" +msgstr "" + +#: templates/settings.php:107 +msgid "Username-LDAP User Mapping" +msgstr "" + +#: templates/settings.php:108 +msgid "" +"ownCloud uses usernames to store and assign (meta) data. In order to " +"precisely identify and recognize users, each LDAP user will have a internal " +"username. This requires a mapping from ownCloud username to LDAP user. The " +"created username is mapped to the UUID of the LDAP user. Additionally the DN" +" is cached as well to reduce LDAP interaction, but it is not used for " +"identification. If the DN changes, the changes will be found by ownCloud. " +"The internal ownCloud name is used all over in ownCloud. Clearing the " +"Mappings will have leftovers everywhere. Clearing the Mappings is not " +"configuration sensitive, it affects all LDAP configurations! Do never clear " +"the mappings in a production environment. Only clear mappings in a testing " +"or experimental stage." +msgstr "" + +#: templates/settings.php:109 +msgid "Clear Username-LDAP User Mapping" +msgstr "" + +#: templates/settings.php:109 +msgid "Clear Groupname-LDAP Group Mapping" +msgstr "" + +#: templates/settings.php:111 +msgid "Test Configuration" +msgstr "" + +#: templates/settings.php:111 +msgid "Help" +msgstr "" diff --git a/l10n/ml_IN/user_webdavauth.po b/l10n/ml_IN/user_webdavauth.po new file mode 100644 index 0000000000..883156e8a5 --- /dev/null +++ b/l10n/ml_IN/user_webdavauth.po @@ -0,0 +1,33 @@ +# SOME DESCRIPTIVE TITLE. +# Copyright (C) YEAR THE PACKAGE'S COPYRIGHT HOLDER +# This file is distributed under the same license as the PACKAGE package. +# +# Translators: +msgid "" +msgstr "" +"Project-Id-Version: ownCloud\n" +"Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" +"POT-Creation-Date: 2013-07-06 02:01+0200\n" +"PO-Revision-Date: 2013-07-05 08:25+0000\n" +"Last-Translator: I Robot \n" +"Language-Team: Malayalam (India) (http://www.transifex.com/projects/p/owncloud/language/ml_IN/)\n" +"MIME-Version: 1.0\n" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Language: ml_IN\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" + +#: templates/settings.php:3 +msgid "WebDAV Authentication" +msgstr "" + +#: templates/settings.php:4 +msgid "URL: " +msgstr "" + +#: templates/settings.php:7 +msgid "" +"ownCloud will send the user credentials to this URL. This plugin checks the " +"response and will interpret the HTTP statuscodes 401 and 403 as invalid " +"credentials, and all other responses as valid credentials." +msgstr "" diff --git a/l10n/ms_MY/core.po b/l10n/ms_MY/core.po index 9bcdfd3937..a5e260d7fa 100644 --- a/l10n/ms_MY/core.po +++ b/l10n/ms_MY/core.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:12+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:04+0000\n" "Last-Translator: I Robot \n" "Language-Team: Malay (Malaysia) (http://www.transifex.com/projects/p/owncloud/language/ms_MY/)\n" "MIME-Version: 1.0\n" @@ -137,59 +137,59 @@ msgstr "November" msgid "December" msgstr "Disember" -#: js/js.js:289 +#: js/js.js:293 msgid "Settings" msgstr "Tetapan" -#: js/js.js:721 +#: js/js.js:715 msgid "seconds ago" msgstr "" -#: js/js.js:722 +#: js/js.js:716 msgid "1 minute ago" msgstr "" -#: js/js.js:723 +#: js/js.js:717 msgid "{minutes} minutes ago" msgstr "" -#: js/js.js:724 +#: js/js.js:718 msgid "1 hour ago" msgstr "" -#: js/js.js:725 +#: js/js.js:719 msgid "{hours} hours ago" msgstr "" -#: js/js.js:726 +#: js/js.js:720 msgid "today" msgstr "" -#: js/js.js:727 +#: js/js.js:721 msgid "yesterday" msgstr "" -#: js/js.js:728 +#: js/js.js:722 msgid "{days} days ago" msgstr "" -#: js/js.js:729 +#: js/js.js:723 msgid "last month" msgstr "" -#: js/js.js:730 +#: js/js.js:724 msgid "{months} months ago" msgstr "" -#: js/js.js:731 +#: js/js.js:725 msgid "months ago" msgstr "" -#: js/js.js:732 +#: js/js.js:726 msgid "last year" msgstr "" -#: js/js.js:733 +#: js/js.js:727 msgid "years ago" msgstr "" @@ -225,8 +225,8 @@ msgstr "" #: js/oc-vcategories.js:14 js/oc-vcategories.js:80 js/oc-vcategories.js:95 #: js/oc-vcategories.js:110 js/oc-vcategories.js:125 js/oc-vcategories.js:136 #: js/oc-vcategories.js:172 js/oc-vcategories.js:189 js/oc-vcategories.js:195 -#: js/oc-vcategories.js:199 js/share.js:136 js/share.js:143 js/share.js:618 -#: js/share.js:630 +#: js/oc-vcategories.js:199 js/share.js:136 js/share.js:143 js/share.js:625 +#: js/share.js:637 msgid "Error" msgstr "Ralat" @@ -246,7 +246,7 @@ msgstr "" msgid "Share" msgstr "Kongsi" -#: js/share.js:125 js/share.js:658 +#: js/share.js:125 js/share.js:665 msgid "Error while sharing" msgstr "" @@ -266,114 +266,114 @@ msgstr "" msgid "Shared with you by {owner}" msgstr "" -#: js/share.js:172 +#: js/share.js:177 msgid "Share with" msgstr "" -#: js/share.js:177 +#: js/share.js:182 msgid "Share with link" msgstr "" -#: js/share.js:180 +#: js/share.js:185 msgid "Password protect" msgstr "" -#: js/share.js:182 templates/installation.php:54 templates/login.php:26 +#: js/share.js:187 templates/installation.php:54 templates/login.php:26 msgid "Password" msgstr "Kata laluan" -#: js/share.js:186 +#: js/share.js:192 msgid "Allow Public Upload" msgstr "" -#: js/share.js:189 +#: js/share.js:196 msgid "Email link to person" msgstr "" -#: js/share.js:190 +#: js/share.js:197 msgid "Send" msgstr "" -#: js/share.js:195 +#: js/share.js:202 msgid "Set expiration date" msgstr "" -#: js/share.js:196 +#: js/share.js:203 msgid "Expiration date" msgstr "" -#: js/share.js:228 +#: js/share.js:235 msgid "Share via email:" msgstr "" -#: js/share.js:230 +#: js/share.js:237 msgid "No people found" msgstr "" -#: js/share.js:268 +#: js/share.js:275 msgid "Resharing is not allowed" msgstr "" -#: js/share.js:304 +#: js/share.js:311 msgid "Shared in {item} with {user}" msgstr "" -#: js/share.js:325 +#: js/share.js:332 msgid "Unshare" msgstr "" -#: js/share.js:337 +#: js/share.js:344 msgid "can edit" msgstr "" -#: js/share.js:339 +#: js/share.js:346 msgid "access control" msgstr "" -#: js/share.js:342 +#: js/share.js:349 msgid "create" msgstr "" -#: js/share.js:345 +#: js/share.js:352 msgid "update" msgstr "" -#: js/share.js:348 +#: js/share.js:355 msgid "delete" msgstr "" -#: js/share.js:351 +#: js/share.js:358 msgid "share" msgstr "" -#: js/share.js:385 js/share.js:605 +#: js/share.js:392 js/share.js:612 msgid "Password protected" msgstr "" -#: js/share.js:618 +#: js/share.js:625 msgid "Error unsetting expiration date" msgstr "" -#: js/share.js:630 +#: js/share.js:637 msgid "Error setting expiration date" msgstr "" -#: js/share.js:645 +#: js/share.js:652 msgid "Sending ..." msgstr "" -#: js/share.js:656 +#: js/share.js:663 msgid "Email sent" msgstr "" -#: js/update.js:14 +#: js/update.js:17 msgid "" "The update was unsuccessful. Please report this issue to the ownCloud " "community." msgstr "" -#: js/update.js:18 +#: js/update.js:21 msgid "The update was successful. Redirecting you to ownCloud now." msgstr "" @@ -465,7 +465,7 @@ msgstr "Larangan akses" msgid "Cloud not found" msgstr "Awan tidak dijumpai" -#: templates/altmail.php:2 +#: templates/altmail.php:4 #, php-format msgid "" "Hey there,\n" @@ -476,10 +476,6 @@ msgid "" "Cheers!" msgstr "" -#: templates/altmail.php:7 templates/mail.php:24 -msgid "web services under your control" -msgstr "Perkhidmatan web di bawah kawalan anda" - #: templates/edit_categories_dialog.php:4 msgid "Edit categories" msgstr "Ubah kategori" @@ -611,7 +607,7 @@ msgstr "Log masuk" msgid "Alternative Logins" msgstr "" -#: templates/mail.php:15 +#: templates/mail.php:16 #, php-format msgid "" "Hey there,

    just letting you know that %s shared »%s« with you.
    \n" "Language-Team: Malay (Malaysia) (http://www.transifex.com/projects/p/owncloud/language/ms_MY/)\n" "MIME-Version: 1.0\n" @@ -27,54 +27,54 @@ msgstr "" msgid "Could not move %s" msgstr "" -#: ajax/upload.php:16 ajax/upload.php:39 +#: ajax/upload.php:16 ajax/upload.php:45 msgid "Unable to set upload directory." msgstr "" -#: ajax/upload.php:23 +#: ajax/upload.php:22 msgid "Invalid Token" msgstr "" -#: ajax/upload.php:55 +#: ajax/upload.php:59 msgid "No file was uploaded. Unknown error" msgstr "Tiada fail dimuatnaik. Ralat tidak diketahui." -#: ajax/upload.php:62 +#: ajax/upload.php:66 msgid "There is no error, the file uploaded with success" msgstr "Tiada ralat berlaku, fail berjaya dimuatnaik" -#: ajax/upload.php:63 +#: ajax/upload.php:67 msgid "" "The uploaded file exceeds the upload_max_filesize directive in php.ini: " msgstr "" -#: ajax/upload.php:65 +#: ajax/upload.php:69 msgid "" "The uploaded file exceeds the MAX_FILE_SIZE directive that was specified in " "the HTML form" msgstr "Saiz fail yang dimuatnaik melebihi MAX_FILE_SIZE yang ditetapkan dalam borang HTML" -#: ajax/upload.php:66 +#: ajax/upload.php:70 msgid "The uploaded file was only partially uploaded" msgstr "Fail yang dimuatnaik tidak lengkap" -#: ajax/upload.php:67 +#: ajax/upload.php:71 msgid "No file was uploaded" msgstr "Tiada fail dimuatnaik" -#: ajax/upload.php:68 +#: ajax/upload.php:72 msgid "Missing a temporary folder" msgstr "Direktori sementara hilang" -#: ajax/upload.php:69 +#: ajax/upload.php:73 msgid "Failed to write to disk" msgstr "Gagal untuk disimpan" -#: ajax/upload.php:87 +#: ajax/upload.php:91 msgid "Not enough storage available" msgstr "" -#: ajax/upload.php:119 +#: ajax/upload.php:123 msgid "Invalid directory." msgstr "" @@ -128,43 +128,43 @@ msgstr "Padam" msgid "Rename" msgstr "" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:464 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:465 msgid "Pending" msgstr "Dalam proses" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "{new_name} already exists" msgstr "" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "replace" msgstr "ganti" -#: js/filelist.js:302 +#: js/filelist.js:303 msgid "suggest name" msgstr "" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "cancel" msgstr "Batal" -#: js/filelist.js:349 +#: js/filelist.js:350 msgid "replaced {new_name} with {old_name}" msgstr "" -#: js/filelist.js:349 +#: js/filelist.js:350 msgid "undo" msgstr "" -#: js/filelist.js:374 +#: js/filelist.js:375 msgid "perform delete operation" msgstr "" -#: js/filelist.js:456 +#: js/filelist.js:457 msgid "1 file uploading" msgstr "" -#: js/filelist.js:459 js/filelist.js:517 +#: js/filelist.js:460 js/filelist.js:518 msgid "files uploading" msgstr "" @@ -212,19 +212,19 @@ msgstr "Saiz" msgid "Modified" msgstr "Dimodifikasi" -#: js/files.js:765 +#: js/files.js:763 msgid "1 folder" msgstr "" -#: js/files.js:767 +#: js/files.js:765 msgid "{count} folders" msgstr "" -#: js/files.js:775 +#: js/files.js:773 msgid "1 file" msgstr "" -#: js/files.js:777 +#: js/files.js:775 msgid "{count} files" msgstr "" @@ -327,19 +327,19 @@ msgstr "Fail sedang diimbas, harap bersabar." msgid "Current scanning" msgstr "Imbasan semasa" -#: templates/part.list.php:78 +#: templates/part.list.php:74 msgid "directory" msgstr "" -#: templates/part.list.php:80 +#: templates/part.list.php:76 msgid "directories" msgstr "" -#: templates/part.list.php:89 +#: templates/part.list.php:85 msgid "file" msgstr "fail" -#: templates/part.list.php:91 +#: templates/part.list.php:87 msgid "files" msgstr "fail" diff --git a/l10n/ms_MY/files_external.po b/l10n/ms_MY/files_external.po index bddfe537e6..cf3fca34a5 100644 --- a/l10n/ms_MY/files_external.po +++ b/l10n/ms_MY/files_external.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: I Robot \n" "Language-Team: Malay (Malaysia) (http://www.transifex.com/projects/p/owncloud/language/ms_MY/)\n" "MIME-Version: 1.0\n" @@ -37,20 +37,20 @@ msgstr "" msgid "Error configuring Google Drive storage" msgstr "" -#: lib/config.php:431 +#: lib/config.php:447 msgid "" "Warning: \"smbclient\" is not installed. Mounting of CIFS/SMB shares " "is not possible. Please ask your system administrator to install it." msgstr "" -#: lib/config.php:434 +#: lib/config.php:450 msgid "" "Warning: The FTP support in PHP is not enabled or installed. Mounting" " of FTP shares is not possible. Please ask your system administrator to " "install it." msgstr "" -#: lib/config.php:437 +#: lib/config.php:453 msgid "" "Warning: The Curl support in PHP is not enabled or installed. " "Mounting of ownCloud / WebDAV or GoogleDrive is not possible. Please ask " diff --git a/l10n/ms_MY/files_sharing.po b/l10n/ms_MY/files_sharing.po index 970b7e75f9..cbc98cfdb5 100644 --- a/l10n/ms_MY/files_sharing.po +++ b/l10n/ms_MY/files_sharing.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:13+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: I Robot \n" "Language-Team: Malay (Malaysia) (http://www.transifex.com/projects/p/owncloud/language/ms_MY/)\n" "MIME-Version: 1.0\n" @@ -39,18 +39,18 @@ msgstr "" msgid "%s shared the file %s with you" msgstr "" -#: templates/public.php:28 templates/public.php:86 +#: templates/public.php:28 templates/public.php:90 msgid "Download" msgstr "Muat turun" -#: templates/public.php:44 +#: templates/public.php:45 templates/public.php:48 msgid "Upload" msgstr "Muat naik" -#: templates/public.php:54 +#: templates/public.php:58 msgid "Cancel upload" msgstr "Batal muat naik" -#: templates/public.php:83 +#: templates/public.php:87 msgid "No preview available for" msgstr "" diff --git a/l10n/ms_MY/files_trashbin.po b/l10n/ms_MY/files_trashbin.po index ec2dfa4249..b1db65e4c2 100644 --- a/l10n/ms_MY/files_trashbin.po +++ b/l10n/ms_MY/files_trashbin.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: I Robot \n" "Language-Team: Malay (Malaysia) (http://www.transifex.com/projects/p/owncloud/language/ms_MY/)\n" "MIME-Version: 1.0\n" diff --git a/l10n/ms_MY/lib.po b/l10n/ms_MY/lib.po index 4fca82933b..d0deb26d3f 100644 --- a/l10n/ms_MY/lib.po +++ b/l10n/ms_MY/lib.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:13+0000\n" +"POT-Creation-Date: 2013-07-24 01:55-0400\n" +"PO-Revision-Date: 2013-07-24 05:55+0000\n" "Last-Translator: I Robot \n" "Language-Team: Malay (Malaysia) (http://www.transifex.com/projects/p/owncloud/language/ms_MY/)\n" "MIME-Version: 1.0\n" @@ -41,27 +41,43 @@ msgstr "Aplikasi" msgid "Admin" msgstr "Admin" -#: defaults.php:33 -msgid "web services under your control" +#: app.php:844 +#, php-format +msgid "Failed to upgrade \"%s\"." msgstr "" -#: files.php:210 +#: defaults.php:33 +msgid "web services under your control" +msgstr "Perkhidmatan web di bawah kawalan anda" + +#: files.php:66 files.php:98 +#, php-format +msgid "cannot open \"%s\"" +msgstr "" + +#: files.php:226 msgid "ZIP download is turned off." msgstr "" -#: files.php:211 +#: files.php:227 msgid "Files need to be downloaded one by one." msgstr "" -#: files.php:212 files.php:245 +#: files.php:228 files.php:256 msgid "Back to Files" msgstr "" -#: files.php:242 +#: files.php:253 msgid "Selected files too large to generate zip file." msgstr "" -#: helper.php:236 +#: files.php:254 +msgid "" +"Download the files in smaller chunks, seperately or kindly ask your " +"administrator." +msgstr "" + +#: helper.php:235 msgid "couldn't be determined" msgstr "" @@ -170,77 +186,81 @@ msgstr "" msgid "PostgreSQL username and/or password not valid" msgstr "" -#: setup.php:42 +#: setup.php:28 msgid "Set an admin username." msgstr "" -#: setup.php:45 +#: setup.php:31 msgid "Set an admin password." msgstr "" -#: setup.php:198 +#: setup.php:184 msgid "" "Your web server is not yet properly setup to allow files synchronization " "because the WebDAV interface seems to be broken." msgstr "" -#: setup.php:199 +#: setup.php:185 #, php-format msgid "Please double check the installation guides." msgstr "" -#: template.php:113 +#: template/functions.php:80 msgid "seconds ago" msgstr "" -#: template.php:114 +#: template/functions.php:81 msgid "1 minute ago" msgstr "" -#: template.php:115 +#: template/functions.php:82 #, php-format msgid "%d minutes ago" msgstr "" -#: template.php:116 +#: template/functions.php:83 msgid "1 hour ago" msgstr "" -#: template.php:117 +#: template/functions.php:84 #, php-format msgid "%d hours ago" msgstr "" -#: template.php:118 +#: template/functions.php:85 msgid "today" msgstr "" -#: template.php:119 +#: template/functions.php:86 msgid "yesterday" msgstr "" -#: template.php:120 +#: template/functions.php:87 #, php-format msgid "%d days ago" msgstr "" -#: template.php:121 +#: template/functions.php:88 msgid "last month" msgstr "" -#: template.php:122 +#: template/functions.php:89 #, php-format msgid "%d months ago" msgstr "" -#: template.php:123 +#: template/functions.php:90 msgid "last year" msgstr "" -#: template.php:124 +#: template/functions.php:91 msgid "years ago" msgstr "" +#: template.php:296 +msgid "Caused by:" +msgstr "" + #: vcategories.php:188 vcategories.php:249 #, php-format msgid "Could not find category \"%s\"" diff --git a/l10n/ms_MY/settings.po b/l10n/ms_MY/settings.po index d4b492cc02..e5b371c201 100644 --- a/l10n/ms_MY/settings.po +++ b/l10n/ms_MY/settings.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:55+0000\n" "Last-Translator: I Robot \n" "Language-Team: Malay (Malaysia) (http://www.transifex.com/projects/p/owncloud/language/ms_MY/)\n" "MIME-Version: 1.0\n" @@ -273,62 +273,71 @@ msgstr "" msgid "Allow users to share items to the public with links" msgstr "" -#: templates/admin.php:152 +#: templates/admin.php:153 +msgid "Allow public uploads" +msgstr "" + +#: templates/admin.php:154 +msgid "" +"Allow users to enable others to upload into their publicly shared folders" +msgstr "" + +#: templates/admin.php:162 msgid "Allow resharing" msgstr "" -#: templates/admin.php:153 +#: templates/admin.php:163 msgid "Allow users to share items shared with them again" msgstr "" -#: templates/admin.php:160 +#: templates/admin.php:170 msgid "Allow users to share with anyone" msgstr "" -#: templates/admin.php:163 +#: templates/admin.php:173 msgid "Allow users to only share with users in their groups" msgstr "" -#: templates/admin.php:170 +#: templates/admin.php:180 msgid "Security" msgstr "" -#: templates/admin.php:183 +#: templates/admin.php:193 msgid "Enforce HTTPS" msgstr "" -#: templates/admin.php:184 +#: templates/admin.php:194 msgid "" "Enforces the clients to connect to ownCloud via an encrypted connection." msgstr "" -#: templates/admin.php:187 +#: templates/admin.php:197 msgid "" "Please connect to this ownCloud instance via HTTPS to enable or disable the " "SSL enforcement." msgstr "" -#: templates/admin.php:197 +#: templates/admin.php:207 msgid "Log" msgstr "Log" -#: templates/admin.php:198 +#: templates/admin.php:208 msgid "Log level" msgstr "Tahap Log" -#: templates/admin.php:229 +#: templates/admin.php:239 msgid "More" msgstr "Lanjutan" -#: templates/admin.php:230 +#: templates/admin.php:240 msgid "Less" msgstr "" -#: templates/admin.php:236 templates/personal.php:116 +#: templates/admin.php:246 templates/personal.php:116 msgid "Version" msgstr "" -#: templates/admin.php:240 templates/personal.php:119 +#: templates/admin.php:250 templates/personal.php:119 msgid "" "Developed by the ownCloud community, the access your Files via WebDAV" msgstr "" #: templates/users.php:21 diff --git a/l10n/ms_MY/user_ldap.po b/l10n/ms_MY/user_ldap.po index ed5d4b77a0..eb30369c33 100644 --- a/l10n/ms_MY/user_ldap.po +++ b/l10n/ms_MY/user_ldap.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: I Robot \n" "Language-Team: Malay (Malaysia) (http://www.transifex.com/projects/p/owncloud/language/ms_MY/)\n" "MIME-Version: 1.0\n" diff --git a/l10n/my_MM/core.po b/l10n/my_MM/core.po index 4c59ffd121..4c8f9b943e 100644 --- a/l10n/my_MM/core.po +++ b/l10n/my_MM/core.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:55+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:04+0000\n" "Last-Translator: I Robot \n" "Language-Team: Burmese (Myanmar) (http://www.transifex.com/projects/p/owncloud/language/my_MM/)\n" "MIME-Version: 1.0\n" @@ -137,59 +137,59 @@ msgstr "နိုဝင်ဘာ" msgid "December" msgstr "ဒီဇင်ဘာ" -#: js/js.js:289 +#: js/js.js:293 msgid "Settings" msgstr "" -#: js/js.js:721 +#: js/js.js:715 msgid "seconds ago" msgstr "စက္ကန့်အနည်းငယ်က" -#: js/js.js:722 +#: js/js.js:716 msgid "1 minute ago" msgstr "၁ မိနစ်အရင်က" -#: js/js.js:723 +#: js/js.js:717 msgid "{minutes} minutes ago" msgstr "" -#: js/js.js:724 +#: js/js.js:718 msgid "1 hour ago" msgstr "၁ နာရီ အရင်က" -#: js/js.js:725 +#: js/js.js:719 msgid "{hours} hours ago" msgstr "" -#: js/js.js:726 +#: js/js.js:720 msgid "today" msgstr "ယနေ့" -#: js/js.js:727 +#: js/js.js:721 msgid "yesterday" msgstr "မနေ့က" -#: js/js.js:728 +#: js/js.js:722 msgid "{days} days ago" msgstr "" -#: js/js.js:729 +#: js/js.js:723 msgid "last month" msgstr "ပြီးခဲ့သောလ" -#: js/js.js:730 +#: js/js.js:724 msgid "{months} months ago" msgstr "" -#: js/js.js:731 +#: js/js.js:725 msgid "months ago" msgstr "" -#: js/js.js:732 +#: js/js.js:726 msgid "last year" msgstr "မနှစ်က" -#: js/js.js:733 +#: js/js.js:727 msgid "years ago" msgstr "နှစ် အရင်က" @@ -225,8 +225,8 @@ msgstr "" #: js/oc-vcategories.js:14 js/oc-vcategories.js:80 js/oc-vcategories.js:95 #: js/oc-vcategories.js:110 js/oc-vcategories.js:125 js/oc-vcategories.js:136 #: js/oc-vcategories.js:172 js/oc-vcategories.js:189 js/oc-vcategories.js:195 -#: js/oc-vcategories.js:199 js/share.js:136 js/share.js:143 js/share.js:618 -#: js/share.js:630 +#: js/oc-vcategories.js:199 js/share.js:136 js/share.js:143 js/share.js:625 +#: js/share.js:637 msgid "Error" msgstr "" @@ -246,7 +246,7 @@ msgstr "" msgid "Share" msgstr "" -#: js/share.js:125 js/share.js:658 +#: js/share.js:125 js/share.js:665 msgid "Error while sharing" msgstr "" @@ -266,114 +266,114 @@ msgstr "" msgid "Shared with you by {owner}" msgstr "" -#: js/share.js:172 +#: js/share.js:177 msgid "Share with" msgstr "" -#: js/share.js:177 +#: js/share.js:182 msgid "Share with link" msgstr "" -#: js/share.js:180 +#: js/share.js:185 msgid "Password protect" msgstr "" -#: js/share.js:182 templates/installation.php:54 templates/login.php:26 +#: js/share.js:187 templates/installation.php:54 templates/login.php:26 msgid "Password" msgstr "စကားဝှက်" -#: js/share.js:186 +#: js/share.js:192 msgid "Allow Public Upload" msgstr "" -#: js/share.js:189 +#: js/share.js:196 msgid "Email link to person" msgstr "" -#: js/share.js:190 +#: js/share.js:197 msgid "Send" msgstr "" -#: js/share.js:195 +#: js/share.js:202 msgid "Set expiration date" msgstr "သက်တမ်းကုန်ဆုံးမည့်ရက်သတ်မှတ်မည်" -#: js/share.js:196 +#: js/share.js:203 msgid "Expiration date" msgstr "သက်တမ်းကုန်ဆုံးမည့်ရက်" -#: js/share.js:228 +#: js/share.js:235 msgid "Share via email:" msgstr "အီးမေးလ်ဖြင့်ဝေမျှမည် -" -#: js/share.js:230 +#: js/share.js:237 msgid "No people found" msgstr "" -#: js/share.js:268 +#: js/share.js:275 msgid "Resharing is not allowed" msgstr "ပြန်လည်ဝေမျှခြင်းခွင့်မပြုပါ" -#: js/share.js:304 +#: js/share.js:311 msgid "Shared in {item} with {user}" msgstr "" -#: js/share.js:325 +#: js/share.js:332 msgid "Unshare" msgstr "" -#: js/share.js:337 +#: js/share.js:344 msgid "can edit" msgstr "ပြင်ဆင်နိုင်" -#: js/share.js:339 +#: js/share.js:346 msgid "access control" msgstr "" -#: js/share.js:342 +#: js/share.js:349 msgid "create" msgstr "ဖန်တီးမည်" -#: js/share.js:345 +#: js/share.js:352 msgid "update" msgstr "" -#: js/share.js:348 +#: js/share.js:355 msgid "delete" msgstr "ဖျက်မည်" -#: js/share.js:351 +#: js/share.js:358 msgid "share" msgstr "ဝေမျှမည်" -#: js/share.js:385 js/share.js:605 +#: js/share.js:392 js/share.js:612 msgid "Password protected" msgstr "စကားဝှက်ဖြင့်ကာကွယ်ထားသည်" -#: js/share.js:618 +#: js/share.js:625 msgid "Error unsetting expiration date" msgstr "" -#: js/share.js:630 +#: js/share.js:637 msgid "Error setting expiration date" msgstr "" -#: js/share.js:645 +#: js/share.js:652 msgid "Sending ..." msgstr "" -#: js/share.js:656 +#: js/share.js:663 msgid "Email sent" msgstr "" -#: js/update.js:14 +#: js/update.js:17 msgid "" "The update was unsuccessful. Please report this issue to the ownCloud " "community." msgstr "" -#: js/update.js:18 +#: js/update.js:21 msgid "The update was successful. Redirecting you to ownCloud now." msgstr "" @@ -465,7 +465,7 @@ msgstr "" msgid "Cloud not found" msgstr "မတွေ့ရှိမိပါ" -#: templates/altmail.php:2 +#: templates/altmail.php:4 #, php-format msgid "" "Hey there,\n" @@ -476,10 +476,6 @@ msgid "" "Cheers!" msgstr "" -#: templates/altmail.php:7 templates/mail.php:24 -msgid "web services under your control" -msgstr "သင်၏ထိန်းချုပ်မှု့အောက်တွင်ရှိသော Web services" - #: templates/edit_categories_dialog.php:4 msgid "Edit categories" msgstr "" @@ -611,7 +607,7 @@ msgstr "ဝင်ရောက်ရန်" msgid "Alternative Logins" msgstr "" -#: templates/mail.php:15 +#: templates/mail.php:16 #, php-format msgid "" "Hey there,

    just letting you know that %s shared »%s« with you.
    \n" "Language-Team: Burmese (Myanmar) (http://www.transifex.com/projects/p/owncloud/language/my_MM/)\n" "MIME-Version: 1.0\n" @@ -27,54 +27,54 @@ msgstr "" msgid "Could not move %s" msgstr "" -#: ajax/upload.php:16 ajax/upload.php:39 +#: ajax/upload.php:16 ajax/upload.php:45 msgid "Unable to set upload directory." msgstr "" -#: ajax/upload.php:23 +#: ajax/upload.php:22 msgid "Invalid Token" msgstr "" -#: ajax/upload.php:55 +#: ajax/upload.php:59 msgid "No file was uploaded. Unknown error" msgstr "" -#: ajax/upload.php:62 +#: ajax/upload.php:66 msgid "There is no error, the file uploaded with success" msgstr "" -#: ajax/upload.php:63 +#: ajax/upload.php:67 msgid "" "The uploaded file exceeds the upload_max_filesize directive in php.ini: " msgstr "" -#: ajax/upload.php:65 +#: ajax/upload.php:69 msgid "" "The uploaded file exceeds the MAX_FILE_SIZE directive that was specified in " "the HTML form" msgstr "" -#: ajax/upload.php:66 +#: ajax/upload.php:70 msgid "The uploaded file was only partially uploaded" msgstr "" -#: ajax/upload.php:67 +#: ajax/upload.php:71 msgid "No file was uploaded" msgstr "" -#: ajax/upload.php:68 +#: ajax/upload.php:72 msgid "Missing a temporary folder" msgstr "" -#: ajax/upload.php:69 +#: ajax/upload.php:73 msgid "Failed to write to disk" msgstr "" -#: ajax/upload.php:87 +#: ajax/upload.php:91 msgid "Not enough storage available" msgstr "" -#: ajax/upload.php:119 +#: ajax/upload.php:123 msgid "Invalid directory." msgstr "" @@ -128,43 +128,43 @@ msgstr "" msgid "Rename" msgstr "" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:464 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:465 msgid "Pending" msgstr "" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "{new_name} already exists" msgstr "" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "replace" msgstr "" -#: js/filelist.js:302 +#: js/filelist.js:303 msgid "suggest name" msgstr "" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "cancel" msgstr "" -#: js/filelist.js:349 +#: js/filelist.js:350 msgid "replaced {new_name} with {old_name}" msgstr "" -#: js/filelist.js:349 +#: js/filelist.js:350 msgid "undo" msgstr "" -#: js/filelist.js:374 +#: js/filelist.js:375 msgid "perform delete operation" msgstr "" -#: js/filelist.js:456 +#: js/filelist.js:457 msgid "1 file uploading" msgstr "" -#: js/filelist.js:459 js/filelist.js:517 +#: js/filelist.js:460 js/filelist.js:518 msgid "files uploading" msgstr "" @@ -212,19 +212,19 @@ msgstr "" msgid "Modified" msgstr "" -#: js/files.js:765 +#: js/files.js:763 msgid "1 folder" msgstr "" -#: js/files.js:767 +#: js/files.js:765 msgid "{count} folders" msgstr "" -#: js/files.js:775 +#: js/files.js:773 msgid "1 file" msgstr "" -#: js/files.js:777 +#: js/files.js:775 msgid "{count} files" msgstr "" @@ -327,19 +327,19 @@ msgstr "" msgid "Current scanning" msgstr "" -#: templates/part.list.php:78 +#: templates/part.list.php:74 msgid "directory" msgstr "" -#: templates/part.list.php:80 +#: templates/part.list.php:76 msgid "directories" msgstr "" -#: templates/part.list.php:89 +#: templates/part.list.php:85 msgid "file" msgstr "" -#: templates/part.list.php:91 +#: templates/part.list.php:87 msgid "files" msgstr "" diff --git a/l10n/my_MM/files_sharing.po b/l10n/my_MM/files_sharing.po index bb40b83f31..7cf20920a7 100644 --- a/l10n/my_MM/files_sharing.po +++ b/l10n/my_MM/files_sharing.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:13+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: I Robot \n" "Language-Team: Burmese (Myanmar) (http://www.transifex.com/projects/p/owncloud/language/my_MM/)\n" "MIME-Version: 1.0\n" @@ -39,18 +39,18 @@ msgstr "" msgid "%s shared the file %s with you" msgstr "" -#: templates/public.php:28 templates/public.php:86 +#: templates/public.php:28 templates/public.php:90 msgid "Download" msgstr "ဒေါင်းလုတ်" -#: templates/public.php:44 +#: templates/public.php:45 templates/public.php:48 msgid "Upload" msgstr "" -#: templates/public.php:54 +#: templates/public.php:58 msgid "Cancel upload" msgstr "" -#: templates/public.php:83 +#: templates/public.php:87 msgid "No preview available for" msgstr "" diff --git a/l10n/my_MM/lib.po b/l10n/my_MM/lib.po index e4d5993e77..5b05b4a911 100644 --- a/l10n/my_MM/lib.po +++ b/l10n/my_MM/lib.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:13+0000\n" +"POT-Creation-Date: 2013-07-24 01:55-0400\n" +"PO-Revision-Date: 2013-07-24 05:55+0000\n" "Last-Translator: I Robot \n" "Language-Team: Burmese (Myanmar) (http://www.transifex.com/projects/p/owncloud/language/my_MM/)\n" "MIME-Version: 1.0\n" @@ -41,27 +41,43 @@ msgstr "Apps" msgid "Admin" msgstr "အက်ဒမင်" -#: defaults.php:33 -msgid "web services under your control" +#: app.php:844 +#, php-format +msgid "Failed to upgrade \"%s\"." msgstr "" -#: files.php:210 +#: defaults.php:33 +msgid "web services under your control" +msgstr "သင်၏ထိန်းချုပ်မှု့အောက်တွင်ရှိသော Web services" + +#: files.php:66 files.php:98 +#, php-format +msgid "cannot open \"%s\"" +msgstr "" + +#: files.php:226 msgid "ZIP download is turned off." msgstr "ZIP ဒေါင်းလုတ်ကိုပိတ်ထားသည်" -#: files.php:211 +#: files.php:227 msgid "Files need to be downloaded one by one." msgstr "ဖိုင်များသည် တစ်ခုပြီး တစ်ခုဒေါင်းလုတ်ချရန်လိုအပ်သည်" -#: files.php:212 files.php:245 +#: files.php:228 files.php:256 msgid "Back to Files" msgstr "ဖိုင်သို့ပြန်သွားမည်" -#: files.php:242 +#: files.php:253 msgid "Selected files too large to generate zip file." msgstr "zip ဖိုင်အဖြစ်ပြုလုပ်ရန် ရွေးချယ်ထားသောဖိုင်များသည် အရမ်းကြီးလွန်းသည်" -#: helper.php:236 +#: files.php:254 +msgid "" +"Download the files in smaller chunks, seperately or kindly ask your " +"administrator." +msgstr "" + +#: helper.php:235 msgid "couldn't be determined" msgstr "မဆုံးဖြတ်နိုင်ပါ။" @@ -170,77 +186,81 @@ msgstr "" msgid "PostgreSQL username and/or password not valid" msgstr "" -#: setup.php:42 +#: setup.php:28 msgid "Set an admin username." msgstr "" -#: setup.php:45 +#: setup.php:31 msgid "Set an admin password." msgstr "" -#: setup.php:198 +#: setup.php:184 msgid "" "Your web server is not yet properly setup to allow files synchronization " "because the WebDAV interface seems to be broken." msgstr "" -#: setup.php:199 +#: setup.php:185 #, php-format msgid "Please double check the installation guides." msgstr "" -#: template.php:113 +#: template/functions.php:80 msgid "seconds ago" msgstr "စက္ကန့်အနည်းငယ်က" -#: template.php:114 +#: template/functions.php:81 msgid "1 minute ago" msgstr "၁ မိနစ်အရင်က" -#: template.php:115 +#: template/functions.php:82 #, php-format msgid "%d minutes ago" msgstr "%d မိနစ်အရင်က" -#: template.php:116 +#: template/functions.php:83 msgid "1 hour ago" msgstr "၁ နာရီ အရင်က" -#: template.php:117 +#: template/functions.php:84 #, php-format msgid "%d hours ago" msgstr "%d နာရီအရင်က" -#: template.php:118 +#: template/functions.php:85 msgid "today" msgstr "ယနေ့" -#: template.php:119 +#: template/functions.php:86 msgid "yesterday" msgstr "မနေ့က" -#: template.php:120 +#: template/functions.php:87 #, php-format msgid "%d days ago" msgstr "%d ရက် အရင်က" -#: template.php:121 +#: template/functions.php:88 msgid "last month" msgstr "ပြီးခဲ့သောလ" -#: template.php:122 +#: template/functions.php:89 #, php-format msgid "%d months ago" msgstr "%d လအရင်က" -#: template.php:123 +#: template/functions.php:90 msgid "last year" msgstr "မနှစ်က" -#: template.php:124 +#: template/functions.php:91 msgid "years ago" msgstr "နှစ် အရင်က" +#: template.php:296 +msgid "Caused by:" +msgstr "" + #: vcategories.php:188 vcategories.php:249 #, php-format msgid "Could not find category \"%s\"" diff --git a/l10n/my_MM/settings.po b/l10n/my_MM/settings.po index 9259cad22c..ff5035c321 100644 --- a/l10n/my_MM/settings.po +++ b/l10n/my_MM/settings.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-06-23 01:59+0200\n" -"PO-Revision-Date: 2013-06-22 10:24+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:55+0000\n" "Last-Translator: I Robot \n" "Language-Team: Burmese (Myanmar) (http://www.transifex.com/projects/p/owncloud/language/my_MM/)\n" "MIME-Version: 1.0\n" @@ -88,35 +88,35 @@ msgstr "" msgid "Couldn't update app." msgstr "" -#: js/apps.js:30 +#: js/apps.js:35 msgid "Update to {appversion}" msgstr "" -#: js/apps.js:36 js/apps.js:76 +#: js/apps.js:41 js/apps.js:81 msgid "Disable" msgstr "" -#: js/apps.js:36 js/apps.js:64 js/apps.js:83 +#: js/apps.js:41 js/apps.js:69 js/apps.js:88 msgid "Enable" msgstr "" -#: js/apps.js:55 +#: js/apps.js:60 msgid "Please wait...." msgstr "" -#: js/apps.js:59 js/apps.js:71 js/apps.js:80 js/apps.js:93 +#: js/apps.js:64 js/apps.js:76 js/apps.js:85 js/apps.js:98 msgid "Error" msgstr "" -#: js/apps.js:90 +#: js/apps.js:95 msgid "Updating...." msgstr "" -#: js/apps.js:93 +#: js/apps.js:98 msgid "Error while updating app" msgstr "" -#: js/apps.js:96 +#: js/apps.js:101 msgid "Updated" msgstr "" @@ -165,15 +165,15 @@ msgstr "" msgid "A valid password must be provided" msgstr "" -#: personal.php:35 personal.php:36 +#: personal.php:37 personal.php:38 msgid "__language_name__" msgstr "" -#: templates/admin.php:15 +#: templates/admin.php:17 msgid "Security Warning" msgstr "လုံခြုံရေးသတိပေးချက်" -#: templates/admin.php:18 +#: templates/admin.php:20 msgid "" "Your data directory and your files are probably accessible from the " "internet. The .htaccess file that ownCloud provides is not working. We " @@ -182,36 +182,36 @@ msgid "" " webserver document root." msgstr "" -#: templates/admin.php:29 +#: templates/admin.php:31 msgid "Setup Warning" msgstr "" -#: templates/admin.php:32 +#: templates/admin.php:34 msgid "" "Your web server is not yet properly setup to allow files synchronization " "because the WebDAV interface seems to be broken." msgstr "" -#: templates/admin.php:33 +#: templates/admin.php:35 #, php-format msgid "Please double check the installation guides." msgstr "" -#: templates/admin.php:44 +#: templates/admin.php:46 msgid "Module 'fileinfo' missing" msgstr "" -#: templates/admin.php:47 +#: templates/admin.php:49 msgid "" "The PHP module 'fileinfo' is missing. We strongly recommend to enable this " "module to get best results with mime-type detection." msgstr "" -#: templates/admin.php:58 +#: templates/admin.php:60 msgid "Locale not working" msgstr "" -#: templates/admin.php:63 +#: templates/admin.php:65 #, php-format msgid "" "This ownCloud server can't set system locale to %s. This means that there " @@ -219,11 +219,11 @@ msgid "" " to install the required packages on your system to support %s." msgstr "" -#: templates/admin.php:75 +#: templates/admin.php:77 msgid "Internet connection not working" msgstr "" -#: templates/admin.php:78 +#: templates/admin.php:80 msgid "" "This ownCloud server has no working internet connection. This means that " "some of the features like mounting of external storage, notifications about " @@ -233,102 +233,111 @@ msgid "" " of ownCloud." msgstr "" -#: templates/admin.php:92 +#: templates/admin.php:94 msgid "Cron" msgstr "" -#: templates/admin.php:101 +#: templates/admin.php:103 msgid "Execute one task with each page loaded" msgstr "" -#: templates/admin.php:111 +#: templates/admin.php:113 msgid "" "cron.php is registered at a webcron service. Call the cron.php page in the " "owncloud root once a minute over http." msgstr "" -#: templates/admin.php:121 +#: templates/admin.php:123 msgid "" "Use systems cron service. Call the cron.php file in the owncloud folder via " "a system cronjob once a minute." msgstr "" -#: templates/admin.php:128 +#: templates/admin.php:130 msgid "Sharing" msgstr "" -#: templates/admin.php:134 +#: templates/admin.php:136 msgid "Enable Share API" msgstr "" -#: templates/admin.php:135 +#: templates/admin.php:137 msgid "Allow apps to use the Share API" msgstr "" -#: templates/admin.php:142 +#: templates/admin.php:144 msgid "Allow links" msgstr "" -#: templates/admin.php:143 +#: templates/admin.php:145 msgid "Allow users to share items to the public with links" msgstr "" -#: templates/admin.php:150 +#: templates/admin.php:153 +msgid "Allow public uploads" +msgstr "" + +#: templates/admin.php:154 +msgid "" +"Allow users to enable others to upload into their publicly shared folders" +msgstr "" + +#: templates/admin.php:162 msgid "Allow resharing" msgstr "" -#: templates/admin.php:151 +#: templates/admin.php:163 msgid "Allow users to share items shared with them again" msgstr "" -#: templates/admin.php:158 +#: templates/admin.php:170 msgid "Allow users to share with anyone" msgstr "" -#: templates/admin.php:161 +#: templates/admin.php:173 msgid "Allow users to only share with users in their groups" msgstr "" -#: templates/admin.php:168 +#: templates/admin.php:180 msgid "Security" msgstr "" -#: templates/admin.php:181 +#: templates/admin.php:193 msgid "Enforce HTTPS" msgstr "" -#: templates/admin.php:182 +#: templates/admin.php:194 msgid "" "Enforces the clients to connect to ownCloud via an encrypted connection." msgstr "" -#: templates/admin.php:185 +#: templates/admin.php:197 msgid "" "Please connect to this ownCloud instance via HTTPS to enable or disable the " "SSL enforcement." msgstr "" -#: templates/admin.php:195 +#: templates/admin.php:207 msgid "Log" msgstr "" -#: templates/admin.php:196 +#: templates/admin.php:208 msgid "Log level" msgstr "" -#: templates/admin.php:227 +#: templates/admin.php:239 msgid "More" msgstr "" -#: templates/admin.php:228 +#: templates/admin.php:240 msgid "Less" msgstr "" -#: templates/admin.php:235 templates/personal.php:116 +#: templates/admin.php:246 templates/personal.php:116 msgid "Version" msgstr "" -#: templates/admin.php:237 templates/personal.php:119 +#: templates/admin.php:250 templates/personal.php:119 msgid "" "Developed by the ownCloud community, the %s of the available %s" msgstr "" -#: templates/personal.php:40 templates/users.php:23 templates/users.php:86 +#: templates/personal.php:41 templates/users.php:23 templates/users.php:86 msgid "Password" msgstr "စကားဝှက်" -#: templates/personal.php:41 +#: templates/personal.php:42 msgid "Your password was changed" msgstr "" -#: templates/personal.php:42 +#: templates/personal.php:43 msgid "Unable to change your password" msgstr "" -#: templates/personal.php:43 +#: templates/personal.php:44 msgid "Current password" msgstr "" -#: templates/personal.php:45 +#: templates/personal.php:46 msgid "New password" msgstr "စကားဝှက်အသစ်" -#: templates/personal.php:47 +#: templates/personal.php:48 msgid "Change password" msgstr "" -#: templates/personal.php:59 templates/users.php:85 +#: templates/personal.php:60 templates/users.php:85 msgid "Display Name" msgstr "" -#: templates/personal.php:74 +#: templates/personal.php:75 msgid "Email" msgstr "" -#: templates/personal.php:76 +#: templates/personal.php:77 msgid "Your email address" msgstr "" -#: templates/personal.php:77 +#: templates/personal.php:78 msgid "Fill in an email address to enable password recovery" msgstr "" -#: templates/personal.php:86 templates/personal.php:87 +#: templates/personal.php:87 templates/personal.php:88 msgid "Language" msgstr "" -#: templates/personal.php:99 +#: templates/personal.php:100 msgid "Help translate" msgstr "" -#: templates/personal.php:105 +#: templates/personal.php:106 msgid "WebDAV" msgstr "" -#: templates/personal.php:107 -msgid "Use this address to connect to your ownCloud in your file manager" +#: templates/personal.php:108 +#, php-format +msgid "" +"Use this address to access your Files via WebDAV" msgstr "" #: templates/users.php:21 diff --git a/l10n/nb_NO/core.po b/l10n/nb_NO/core.po index 8dbec6d9c7..76f78665fa 100644 --- a/l10n/nb_NO/core.po +++ b/l10n/nb_NO/core.po @@ -3,13 +3,14 @@ # This file is distributed under the same license as the PACKAGE package. # # Translators: +# Stein-Aksel Basma , 2013 msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:12+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-07-24 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 21:56+0000\n" +"Last-Translator: Stein-Aksel Basma \n" "Language-Team: Norwegian Bokmål (Norway) (http://www.transifex.com/projects/p/owncloud/language/nb_NO/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -20,7 +21,7 @@ msgstr "" #: ajax/share.php:97 #, php-format msgid "%s shared »%s« with you" -msgstr "" +msgstr "%s delte »%s« med deg" #: ajax/vcategories/add.php:26 ajax/vcategories/edit.php:25 msgid "Category type not provided." @@ -33,7 +34,7 @@ msgstr "Ingen kategorier å legge til?" #: ajax/vcategories/add.php:37 #, php-format msgid "This category already exists: %s" -msgstr "" +msgstr "Denne kategorien finnes allerede: %s" #: ajax/vcategories/addToFavorites.php:26 ajax/vcategories/delete.php:27 #: ajax/vcategories/favorites.php:24 @@ -137,59 +138,59 @@ msgstr "November" msgid "December" msgstr "Desember" -#: js/js.js:289 +#: js/js.js:293 msgid "Settings" msgstr "Innstillinger" -#: js/js.js:721 +#: js/js.js:715 msgid "seconds ago" msgstr "sekunder siden" -#: js/js.js:722 +#: js/js.js:716 msgid "1 minute ago" msgstr "1 minutt siden" -#: js/js.js:723 +#: js/js.js:717 msgid "{minutes} minutes ago" msgstr "{minutes} minutter siden" -#: js/js.js:724 +#: js/js.js:718 msgid "1 hour ago" msgstr "1 time siden" -#: js/js.js:725 +#: js/js.js:719 msgid "{hours} hours ago" msgstr "{hours} timer siden" -#: js/js.js:726 +#: js/js.js:720 msgid "today" msgstr "i dag" -#: js/js.js:727 +#: js/js.js:721 msgid "yesterday" msgstr "i går" -#: js/js.js:728 +#: js/js.js:722 msgid "{days} days ago" msgstr "{days} dager siden" -#: js/js.js:729 +#: js/js.js:723 msgid "last month" msgstr "forrige måned" -#: js/js.js:730 +#: js/js.js:724 msgid "{months} months ago" msgstr "{months} måneder siden" -#: js/js.js:731 +#: js/js.js:725 msgid "months ago" msgstr "måneder siden" -#: js/js.js:732 +#: js/js.js:726 msgid "last year" msgstr "forrige år" -#: js/js.js:733 +#: js/js.js:727 msgid "years ago" msgstr "år siden" @@ -225,8 +226,8 @@ msgstr "" #: js/oc-vcategories.js:14 js/oc-vcategories.js:80 js/oc-vcategories.js:95 #: js/oc-vcategories.js:110 js/oc-vcategories.js:125 js/oc-vcategories.js:136 #: js/oc-vcategories.js:172 js/oc-vcategories.js:189 js/oc-vcategories.js:195 -#: js/oc-vcategories.js:199 js/share.js:136 js/share.js:143 js/share.js:618 -#: js/share.js:630 +#: js/oc-vcategories.js:199 js/share.js:129 js/share.js:142 js/share.js:149 +#: js/share.js:631 js/share.js:643 msgid "Error" msgstr "Feil" @@ -240,140 +241,140 @@ msgstr "" #: js/share.js:30 js/share.js:45 js/share.js:87 msgid "Shared" -msgstr "" +msgstr "Delt" #: js/share.js:90 msgid "Share" msgstr "Del" -#: js/share.js:125 js/share.js:658 +#: js/share.js:131 js/share.js:671 msgid "Error while sharing" msgstr "Feil under deling" -#: js/share.js:136 +#: js/share.js:142 msgid "Error while unsharing" msgstr "" -#: js/share.js:143 +#: js/share.js:149 msgid "Error while changing permissions" msgstr "" -#: js/share.js:152 +#: js/share.js:158 msgid "Shared with you and the group {group} by {owner}" msgstr "" -#: js/share.js:154 +#: js/share.js:160 msgid "Shared with you by {owner}" -msgstr "" +msgstr "Delt med deg av {owner}" -#: js/share.js:172 +#: js/share.js:183 msgid "Share with" msgstr "Del med" -#: js/share.js:177 +#: js/share.js:188 msgid "Share with link" msgstr "Del med link" -#: js/share.js:180 +#: js/share.js:191 msgid "Password protect" msgstr "Passordbeskyttet" -#: js/share.js:182 templates/installation.php:54 templates/login.php:26 +#: js/share.js:193 templates/installation.php:54 templates/login.php:26 msgid "Password" msgstr "Passord" -#: js/share.js:186 +#: js/share.js:198 msgid "Allow Public Upload" msgstr "" -#: js/share.js:189 +#: js/share.js:202 msgid "Email link to person" msgstr "" -#: js/share.js:190 +#: js/share.js:203 msgid "Send" msgstr "Send" -#: js/share.js:195 +#: js/share.js:208 msgid "Set expiration date" msgstr "Set utløpsdato" -#: js/share.js:196 +#: js/share.js:209 msgid "Expiration date" msgstr "Utløpsdato" -#: js/share.js:228 +#: js/share.js:241 msgid "Share via email:" msgstr "Del på epost" -#: js/share.js:230 +#: js/share.js:243 msgid "No people found" msgstr "Ingen personer funnet" -#: js/share.js:268 +#: js/share.js:281 msgid "Resharing is not allowed" msgstr "" -#: js/share.js:304 +#: js/share.js:317 msgid "Shared in {item} with {user}" msgstr "" -#: js/share.js:325 +#: js/share.js:338 msgid "Unshare" msgstr "Avslutt deling" -#: js/share.js:337 +#: js/share.js:350 msgid "can edit" msgstr "kan endre" -#: js/share.js:339 +#: js/share.js:352 msgid "access control" msgstr "tilgangskontroll" -#: js/share.js:342 +#: js/share.js:355 msgid "create" msgstr "opprett" -#: js/share.js:345 +#: js/share.js:358 msgid "update" msgstr "oppdater" -#: js/share.js:348 +#: js/share.js:361 msgid "delete" msgstr "slett" -#: js/share.js:351 +#: js/share.js:364 msgid "share" msgstr "del" -#: js/share.js:385 js/share.js:605 +#: js/share.js:398 js/share.js:618 msgid "Password protected" msgstr "Passordbeskyttet" -#: js/share.js:618 +#: js/share.js:631 msgid "Error unsetting expiration date" msgstr "" -#: js/share.js:630 +#: js/share.js:643 msgid "Error setting expiration date" msgstr "Kan ikke sette utløpsdato" -#: js/share.js:645 +#: js/share.js:658 msgid "Sending ..." msgstr "Sender..." -#: js/share.js:656 +#: js/share.js:669 msgid "Email sent" msgstr "E-post sendt" -#: js/update.js:14 +#: js/update.js:17 msgid "" "The update was unsuccessful. Please report this issue to the ownCloud " "community." msgstr "" -#: js/update.js:18 +#: js/update.js:21 msgid "The update was successful. Redirecting you to ownCloud now." msgstr "" @@ -465,7 +466,7 @@ msgstr "Tilgang nektet" msgid "Cloud not found" msgstr "Sky ikke funnet" -#: templates/altmail.php:2 +#: templates/altmail.php:4 #, php-format msgid "" "Hey there,\n" @@ -474,11 +475,7 @@ msgid "" "View it: %s\n" "\n" "Cheers!" -msgstr "" - -#: templates/altmail.php:7 templates/mail.php:24 -msgid "web services under your control" -msgstr "web tjenester du kontrollerer" +msgstr "Hei der.⏎\n⏎\nVille bare gjøre deg oppmerksom på at %s delte %s med deg.⏎\nVis den: %s⏎\n⏎\nVI ses!" #: templates/edit_categories_dialog.php:4 msgid "Edit categories" @@ -611,7 +608,7 @@ msgstr "Logg inn" msgid "Alternative Logins" msgstr "" -#: templates/mail.php:15 +#: templates/mail.php:16 #, php-format msgid "" "Hey there,

    just letting you know that %s shared »%s« with you.
    , 2013 +# Stein-Aksel Basma , 2013 msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:12+0200\n" -"PO-Revision-Date: 2013-07-04 07:55+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:04+0000\n" "Last-Translator: I Robot \n" "Language-Team: Norwegian Bokmål (Norway) (http://www.transifex.com/projects/p/owncloud/language/nb_NO/)\n" "MIME-Version: 1.0\n" @@ -28,54 +29,54 @@ msgstr "Kan ikke flytte %s - En fil med samme navn finnes allerede" msgid "Could not move %s" msgstr "Kunne ikke flytte %s" -#: ajax/upload.php:16 ajax/upload.php:39 +#: ajax/upload.php:16 ajax/upload.php:45 msgid "Unable to set upload directory." -msgstr "" +msgstr "Kunne ikke sette opplastingskatalog." -#: ajax/upload.php:23 +#: ajax/upload.php:22 msgid "Invalid Token" msgstr "" -#: ajax/upload.php:55 +#: ajax/upload.php:59 msgid "No file was uploaded. Unknown error" msgstr "Ingen filer ble lastet opp. Ukjent feil." -#: ajax/upload.php:62 +#: ajax/upload.php:66 msgid "There is no error, the file uploaded with success" msgstr "Pust ut, ingen feil. Filen ble lastet opp problemfritt" -#: ajax/upload.php:63 +#: ajax/upload.php:67 msgid "" "The uploaded file exceeds the upload_max_filesize directive in php.ini: " msgstr "Filstørrelsen overskrider maksgrensedirektivet upload_max_filesize i php.ini-konfigurasjonen." -#: ajax/upload.php:65 +#: ajax/upload.php:69 msgid "" "The uploaded file exceeds the MAX_FILE_SIZE directive that was specified in " "the HTML form" msgstr "Filen du prøvde å laste opp var større enn grensen satt i MAX_FILE_SIZE i HTML-skjemaet." -#: ajax/upload.php:66 +#: ajax/upload.php:70 msgid "The uploaded file was only partially uploaded" msgstr "Filen du prøvde å laste opp ble kun delvis lastet opp" -#: ajax/upload.php:67 +#: ajax/upload.php:71 msgid "No file was uploaded" msgstr "Ingen filer ble lastet opp" -#: ajax/upload.php:68 +#: ajax/upload.php:72 msgid "Missing a temporary folder" msgstr "Mangler midlertidig mappe" -#: ajax/upload.php:69 +#: ajax/upload.php:73 msgid "Failed to write to disk" msgstr "Klarte ikke å skrive til disk" -#: ajax/upload.php:87 +#: ajax/upload.php:91 msgid "Not enough storage available" msgstr "Ikke nok lagringsplass" -#: ajax/upload.php:119 +#: ajax/upload.php:123 msgid "Invalid directory." msgstr "Ugyldig katalog." @@ -129,43 +130,43 @@ msgstr "Slett" msgid "Rename" msgstr "Omdøp" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:464 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:465 msgid "Pending" msgstr "Ventende" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "{new_name} already exists" msgstr "{new_name} finnes allerede" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "replace" msgstr "erstatt" -#: js/filelist.js:302 +#: js/filelist.js:303 msgid "suggest name" msgstr "foreslå navn" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "cancel" msgstr "avbryt" -#: js/filelist.js:349 +#: js/filelist.js:350 msgid "replaced {new_name} with {old_name}" msgstr "erstatt {new_name} med {old_name}" -#: js/filelist.js:349 +#: js/filelist.js:350 msgid "undo" msgstr "angre" -#: js/filelist.js:374 +#: js/filelist.js:375 msgid "perform delete operation" msgstr "utfør sletting" -#: js/filelist.js:456 +#: js/filelist.js:457 msgid "1 file uploading" msgstr "1 fil lastes opp" -#: js/filelist.js:459 js/filelist.js:517 +#: js/filelist.js:460 js/filelist.js:518 msgid "files uploading" msgstr "filer lastes opp" @@ -213,19 +214,19 @@ msgstr "Størrelse" msgid "Modified" msgstr "Endret" -#: js/files.js:765 +#: js/files.js:763 msgid "1 folder" msgstr "1 mappe" -#: js/files.js:767 +#: js/files.js:765 msgid "{count} folders" msgstr "{count} mapper" -#: js/files.js:775 +#: js/files.js:773 msgid "1 file" msgstr "1 fil" -#: js/files.js:777 +#: js/files.js:775 msgid "{count} files" msgstr "{count} filer" @@ -328,19 +329,19 @@ msgstr "Skanner etter filer, vennligst vent." msgid "Current scanning" msgstr "Pågående skanning" -#: templates/part.list.php:78 +#: templates/part.list.php:74 msgid "directory" -msgstr "" +msgstr "katalog" -#: templates/part.list.php:80 +#: templates/part.list.php:76 msgid "directories" -msgstr "" +msgstr "kataloger" -#: templates/part.list.php:89 +#: templates/part.list.php:85 msgid "file" msgstr "fil" -#: templates/part.list.php:91 +#: templates/part.list.php:87 msgid "files" msgstr "filer" diff --git a/l10n/nb_NO/files_external.po b/l10n/nb_NO/files_external.po index bf47440476..b9d4ea69c8 100644 --- a/l10n/nb_NO/files_external.po +++ b/l10n/nb_NO/files_external.po @@ -8,8 +8,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: Hans Nesse <>\n" "Language-Team: Norwegian Bokmål (Norway) (http://www.transifex.com/projects/p/owncloud/language/nb_NO/)\n" "MIME-Version: 1.0\n" @@ -38,20 +38,20 @@ msgstr "Vær vennlig å oppgi gyldig Dropbox appnøkkel og hemmelighet." msgid "Error configuring Google Drive storage" msgstr "Feil med konfigurering av Google Drive" -#: lib/config.php:431 +#: lib/config.php:447 msgid "" "Warning: \"smbclient\" is not installed. Mounting of CIFS/SMB shares " "is not possible. Please ask your system administrator to install it." msgstr "Advarsel: \"smbclient\" er ikke installert. Kan ikke montere CIFS/SMB mapper. Ta kontakt med din systemadministrator for å installere det." -#: lib/config.php:434 +#: lib/config.php:450 msgid "" "Warning: The FTP support in PHP is not enabled or installed. Mounting" " of FTP shares is not possible. Please ask your system administrator to " "install it." msgstr "Advarsel: FTP støtte i PHP er ikke slått på eller innstallert. Kan ikke montere FTP mapper. Ta kontakt med din systemadministrator for å innstallere det." -#: lib/config.php:437 +#: lib/config.php:453 msgid "" "Warning: The Curl support in PHP is not enabled or installed. " "Mounting of ownCloud / WebDAV or GoogleDrive is not possible. Please ask " diff --git a/l10n/nb_NO/files_sharing.po b/l10n/nb_NO/files_sharing.po index 436b638a78..4e20072c19 100644 --- a/l10n/nb_NO/files_sharing.po +++ b/l10n/nb_NO/files_sharing.po @@ -3,13 +3,14 @@ # This file is distributed under the same license as the PACKAGE package. # # Translators: +# Stein-Aksel Basma , 2013 msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:13+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" +"Last-Translator: Stein-Aksel Basma \n" "Language-Team: Norwegian Bokmål (Norway) (http://www.transifex.com/projects/p/owncloud/language/nb_NO/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -19,7 +20,7 @@ msgstr "" #: templates/authenticate.php:4 msgid "The password is wrong. Try again." -msgstr "" +msgstr "Passordet er feil. Prøv på nytt." #: templates/authenticate.php:7 msgid "Password" @@ -39,18 +40,18 @@ msgstr "%s delte mappen %s med deg" msgid "%s shared the file %s with you" msgstr "%s delte filen %s med deg" -#: templates/public.php:28 templates/public.php:86 +#: templates/public.php:28 templates/public.php:90 msgid "Download" msgstr "Last ned" -#: templates/public.php:44 +#: templates/public.php:45 templates/public.php:48 msgid "Upload" msgstr "Last opp" -#: templates/public.php:54 +#: templates/public.php:58 msgid "Cancel upload" msgstr "Avbryt opplasting" -#: templates/public.php:83 +#: templates/public.php:87 msgid "No preview available for" msgstr "Forhåndsvisning ikke tilgjengelig for" diff --git a/l10n/nb_NO/files_trashbin.po b/l10n/nb_NO/files_trashbin.po index 3d779883ea..8f6cf04d6f 100644 --- a/l10n/nb_NO/files_trashbin.po +++ b/l10n/nb_NO/files_trashbin.po @@ -8,8 +8,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: Hans Nesse <>\n" "Language-Team: Norwegian Bokmål (Norway) (http://www.transifex.com/projects/p/owncloud/language/nb_NO/)\n" "MIME-Version: 1.0\n" diff --git a/l10n/nb_NO/lib.po b/l10n/nb_NO/lib.po index 21f56e5a18..771095599f 100644 --- a/l10n/nb_NO/lib.po +++ b/l10n/nb_NO/lib.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:13+0000\n" +"POT-Creation-Date: 2013-07-24 01:55-0400\n" +"PO-Revision-Date: 2013-07-24 05:55+0000\n" "Last-Translator: I Robot \n" "Language-Team: Norwegian Bokmål (Norway) (http://www.transifex.com/projects/p/owncloud/language/nb_NO/)\n" "MIME-Version: 1.0\n" @@ -41,27 +41,43 @@ msgstr "Apper" msgid "Admin" msgstr "Admin" -#: defaults.php:33 -msgid "web services under your control" +#: app.php:844 +#, php-format +msgid "Failed to upgrade \"%s\"." msgstr "" -#: files.php:210 +#: defaults.php:33 +msgid "web services under your control" +msgstr "web tjenester du kontrollerer" + +#: files.php:66 files.php:98 +#, php-format +msgid "cannot open \"%s\"" +msgstr "" + +#: files.php:226 msgid "ZIP download is turned off." msgstr "ZIP-nedlasting av avslått" -#: files.php:211 +#: files.php:227 msgid "Files need to be downloaded one by one." msgstr "Filene må lastes ned en om gangen" -#: files.php:212 files.php:245 +#: files.php:228 files.php:256 msgid "Back to Files" msgstr "Tilbake til filer" -#: files.php:242 +#: files.php:253 msgid "Selected files too large to generate zip file." msgstr "De valgte filene er for store til å kunne generere ZIP-fil" -#: helper.php:236 +#: files.php:254 +msgid "" +"Download the files in smaller chunks, seperately or kindly ask your " +"administrator." +msgstr "" + +#: helper.php:235 msgid "couldn't be determined" msgstr "" @@ -170,77 +186,81 @@ msgstr "" msgid "PostgreSQL username and/or password not valid" msgstr "" -#: setup.php:42 +#: setup.php:28 msgid "Set an admin username." msgstr "" -#: setup.php:45 +#: setup.php:31 msgid "Set an admin password." msgstr "" -#: setup.php:198 +#: setup.php:184 msgid "" "Your web server is not yet properly setup to allow files synchronization " "because the WebDAV interface seems to be broken." msgstr "Din nettservev er ikke konfigurert korrekt for filsynkronisering. WebDAV ser ut til å ikke funkere." -#: setup.php:199 +#: setup.php:185 #, php-format msgid "Please double check the installation guides." msgstr "Vennligst dobbelsjekk installasjonsguiden." -#: template.php:113 +#: template/functions.php:80 msgid "seconds ago" msgstr "sekunder siden" -#: template.php:114 +#: template/functions.php:81 msgid "1 minute ago" msgstr "1 minutt siden" -#: template.php:115 +#: template/functions.php:82 #, php-format msgid "%d minutes ago" msgstr "%d minutter siden" -#: template.php:116 +#: template/functions.php:83 msgid "1 hour ago" msgstr "1 time siden" -#: template.php:117 +#: template/functions.php:84 #, php-format msgid "%d hours ago" msgstr "%d timer siden" -#: template.php:118 +#: template/functions.php:85 msgid "today" msgstr "i dag" -#: template.php:119 +#: template/functions.php:86 msgid "yesterday" msgstr "i går" -#: template.php:120 +#: template/functions.php:87 #, php-format msgid "%d days ago" msgstr "%d dager siden" -#: template.php:121 +#: template/functions.php:88 msgid "last month" msgstr "forrige måned" -#: template.php:122 +#: template/functions.php:89 #, php-format msgid "%d months ago" msgstr "%d måneder siden" -#: template.php:123 +#: template/functions.php:90 msgid "last year" msgstr "forrige år" -#: template.php:124 +#: template/functions.php:91 msgid "years ago" msgstr "år siden" +#: template.php:296 +msgid "Caused by:" +msgstr "" + #: vcategories.php:188 vcategories.php:249 #, php-format msgid "Could not find category \"%s\"" diff --git a/l10n/nb_NO/settings.po b/l10n/nb_NO/settings.po index c00cb1b8e8..5ccaeb22b9 100644 --- a/l10n/nb_NO/settings.po +++ b/l10n/nb_NO/settings.po @@ -4,12 +4,13 @@ # # Translators: # Hans Nesse <>, 2013 +# Stein-Aksel Basma , 2013 msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:55+0000\n" "Last-Translator: I Robot \n" "Language-Team: Norwegian Bokmål (Norway) (http://www.transifex.com/projects/p/owncloud/language/nb_NO/)\n" "MIME-Version: 1.0\n" @@ -274,62 +275,71 @@ msgstr "Tillat lenker" msgid "Allow users to share items to the public with links" msgstr "Tillat brukere å dele filer med lenker" -#: templates/admin.php:152 +#: templates/admin.php:153 +msgid "Allow public uploads" +msgstr "" + +#: templates/admin.php:154 +msgid "" +"Allow users to enable others to upload into their publicly shared folders" +msgstr "" + +#: templates/admin.php:162 msgid "Allow resharing" msgstr "TIllat videredeling" -#: templates/admin.php:153 +#: templates/admin.php:163 msgid "Allow users to share items shared with them again" msgstr "Tillat brukere å dele filer som allerede har blitt delt med dem" -#: templates/admin.php:160 +#: templates/admin.php:170 msgid "Allow users to share with anyone" msgstr "Tillat brukere å dele med alle" -#: templates/admin.php:163 +#: templates/admin.php:173 msgid "Allow users to only share with users in their groups" msgstr "Tillat kun deling med andre brukere i samme gruppe" -#: templates/admin.php:170 +#: templates/admin.php:180 msgid "Security" msgstr "Sikkerhet" -#: templates/admin.php:183 +#: templates/admin.php:193 msgid "Enforce HTTPS" msgstr "Tving HTTPS" -#: templates/admin.php:184 +#: templates/admin.php:194 msgid "" "Enforces the clients to connect to ownCloud via an encrypted connection." msgstr "Tvinger klienter til å bruke ownCloud via kryptert tilkopling." -#: templates/admin.php:187 +#: templates/admin.php:197 msgid "" "Please connect to this ownCloud instance via HTTPS to enable or disable the " "SSL enforcement." msgstr "Vær vennlig, bruk denne ownCloud instansen via HTTPS for å aktivere eller deaktivere tvungen bruk av SSL." -#: templates/admin.php:197 +#: templates/admin.php:207 msgid "Log" msgstr "Logg" -#: templates/admin.php:198 +#: templates/admin.php:208 msgid "Log level" msgstr "Loggnivå" -#: templates/admin.php:229 +#: templates/admin.php:239 msgid "More" msgstr "Mer" -#: templates/admin.php:230 +#: templates/admin.php:240 msgid "Less" msgstr "Mindre" -#: templates/admin.php:236 templates/personal.php:116 +#: templates/admin.php:246 templates/personal.php:116 msgid "Version" msgstr "Versjon" -#: templates/admin.php:240 templates/personal.php:119 +#: templates/admin.php:250 templates/personal.php:119 msgid "" "Developed by the ownCloud community, the access your Files via WebDAV" +msgstr "Bruk denne adressen for å få tilgang til filene dine via WebDAV" #: templates/users.php:21 msgid "Login Name" diff --git a/l10n/nb_NO/user_ldap.po b/l10n/nb_NO/user_ldap.po index 2a5b9a8237..0dd68747ec 100644 --- a/l10n/nb_NO/user_ldap.po +++ b/l10n/nb_NO/user_ldap.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: I Robot \n" "Language-Team: Norwegian Bokmål (Norway) (http://www.transifex.com/projects/p/owncloud/language/nb_NO/)\n" "MIME-Version: 1.0\n" diff --git a/l10n/ne/core.po b/l10n/ne/core.po index 00c0dcd723..a8062fa9db 100644 --- a/l10n/ne/core.po +++ b/l10n/ne/core.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-06-29 02:03+0200\n" -"PO-Revision-Date: 2013-06-29 00:03+0000\n" +"POT-Creation-Date: 2013-07-06 02:02+0200\n" +"PO-Revision-Date: 2013-07-06 00:02+0000\n" "Last-Translator: I Robot \n" "Language-Team: Nepali (http://www.transifex.com/projects/p/owncloud/language/ne/)\n" "MIME-Version: 1.0\n" @@ -225,8 +225,8 @@ msgstr "" #: js/oc-vcategories.js:14 js/oc-vcategories.js:80 js/oc-vcategories.js:95 #: js/oc-vcategories.js:110 js/oc-vcategories.js:125 js/oc-vcategories.js:136 #: js/oc-vcategories.js:172 js/oc-vcategories.js:189 js/oc-vcategories.js:195 -#: js/oc-vcategories.js:199 js/share.js:136 js/share.js:143 js/share.js:618 -#: js/share.js:630 +#: js/oc-vcategories.js:199 js/share.js:136 js/share.js:143 js/share.js:620 +#: js/share.js:632 msgid "Error" msgstr "" @@ -246,7 +246,7 @@ msgstr "" msgid "Share" msgstr "" -#: js/share.js:125 js/share.js:658 +#: js/share.js:125 js/share.js:660 msgid "Error while sharing" msgstr "" @@ -282,87 +282,87 @@ msgstr "" msgid "Password" msgstr "" -#: js/share.js:186 +#: js/share.js:187 msgid "Allow Public Upload" msgstr "" -#: js/share.js:189 +#: js/share.js:191 msgid "Email link to person" msgstr "" -#: js/share.js:190 +#: js/share.js:192 msgid "Send" msgstr "" -#: js/share.js:195 +#: js/share.js:197 msgid "Set expiration date" msgstr "" -#: js/share.js:196 +#: js/share.js:198 msgid "Expiration date" msgstr "" -#: js/share.js:228 +#: js/share.js:230 msgid "Share via email:" msgstr "" -#: js/share.js:230 +#: js/share.js:232 msgid "No people found" msgstr "" -#: js/share.js:268 +#: js/share.js:270 msgid "Resharing is not allowed" msgstr "" -#: js/share.js:304 +#: js/share.js:306 msgid "Shared in {item} with {user}" msgstr "" -#: js/share.js:325 +#: js/share.js:327 msgid "Unshare" msgstr "" -#: js/share.js:337 +#: js/share.js:339 msgid "can edit" msgstr "" -#: js/share.js:339 +#: js/share.js:341 msgid "access control" msgstr "" -#: js/share.js:342 +#: js/share.js:344 msgid "create" msgstr "" -#: js/share.js:345 +#: js/share.js:347 msgid "update" msgstr "" -#: js/share.js:348 +#: js/share.js:350 msgid "delete" msgstr "" -#: js/share.js:351 +#: js/share.js:353 msgid "share" msgstr "" -#: js/share.js:385 js/share.js:605 +#: js/share.js:387 js/share.js:607 msgid "Password protected" msgstr "" -#: js/share.js:618 +#: js/share.js:620 msgid "Error unsetting expiration date" msgstr "" -#: js/share.js:630 +#: js/share.js:632 msgid "Error setting expiration date" msgstr "" -#: js/share.js:645 +#: js/share.js:647 msgid "Sending ..." msgstr "" -#: js/share.js:656 +#: js/share.js:658 msgid "Email sent" msgstr "" @@ -465,7 +465,7 @@ msgstr "" msgid "Cloud not found" msgstr "" -#: templates/altmail.php:2 +#: templates/altmail.php:4 #, php-format msgid "" "Hey there,\n" @@ -476,10 +476,6 @@ msgid "" "Cheers!" msgstr "" -#: templates/altmail.php:7 templates/mail.php:24 -msgid "web services under your control" -msgstr "" - #: templates/edit_categories_dialog.php:4 msgid "Edit categories" msgstr "" @@ -572,12 +568,12 @@ msgstr "" msgid "Finish setup" msgstr "" -#: templates/layout.user.php:40 +#: templates/layout.user.php:43 #, php-format msgid "%s is available. Get more information on how to update." msgstr "" -#: templates/layout.user.php:67 +#: templates/layout.user.php:68 msgid "Log out" msgstr "" @@ -611,7 +607,7 @@ msgstr "" msgid "Alternative Logins" msgstr "" -#: templates/mail.php:15 +#: templates/mail.php:16 #, php-format msgid "" "Hey there,

    just letting you know that %s shared »%s« with you.
    \n" "Language-Team: Nepali (http://www.transifex.com/projects/p/owncloud/language/ne/)\n" "MIME-Version: 1.0\n" @@ -27,54 +27,54 @@ msgstr "" msgid "Could not move %s" msgstr "" -#: ajax/upload.php:16 ajax/upload.php:39 +#: ajax/upload.php:16 ajax/upload.php:45 msgid "Unable to set upload directory." msgstr "" -#: ajax/upload.php:23 +#: ajax/upload.php:22 msgid "Invalid Token" msgstr "" -#: ajax/upload.php:55 +#: ajax/upload.php:59 msgid "No file was uploaded. Unknown error" msgstr "" -#: ajax/upload.php:62 +#: ajax/upload.php:66 msgid "There is no error, the file uploaded with success" msgstr "" -#: ajax/upload.php:63 +#: ajax/upload.php:67 msgid "" "The uploaded file exceeds the upload_max_filesize directive in php.ini: " msgstr "" -#: ajax/upload.php:65 +#: ajax/upload.php:69 msgid "" "The uploaded file exceeds the MAX_FILE_SIZE directive that was specified in " "the HTML form" msgstr "" -#: ajax/upload.php:66 +#: ajax/upload.php:70 msgid "The uploaded file was only partially uploaded" msgstr "" -#: ajax/upload.php:67 +#: ajax/upload.php:71 msgid "No file was uploaded" msgstr "" -#: ajax/upload.php:68 +#: ajax/upload.php:72 msgid "Missing a temporary folder" msgstr "" -#: ajax/upload.php:69 +#: ajax/upload.php:73 msgid "Failed to write to disk" msgstr "" -#: ajax/upload.php:87 +#: ajax/upload.php:91 msgid "Not enough storage available" msgstr "" -#: ajax/upload.php:119 +#: ajax/upload.php:123 msgid "Invalid directory." msgstr "" @@ -128,43 +128,43 @@ msgstr "" msgid "Rename" msgstr "" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:464 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:465 msgid "Pending" msgstr "" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "{new_name} already exists" msgstr "" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "replace" msgstr "" -#: js/filelist.js:302 +#: js/filelist.js:303 msgid "suggest name" msgstr "" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "cancel" msgstr "" -#: js/filelist.js:349 +#: js/filelist.js:350 msgid "replaced {new_name} with {old_name}" msgstr "" -#: js/filelist.js:349 +#: js/filelist.js:350 msgid "undo" msgstr "" -#: js/filelist.js:374 +#: js/filelist.js:375 msgid "perform delete operation" msgstr "" -#: js/filelist.js:456 +#: js/filelist.js:457 msgid "1 file uploading" msgstr "" -#: js/filelist.js:459 js/filelist.js:517 +#: js/filelist.js:460 js/filelist.js:518 msgid "files uploading" msgstr "" @@ -212,19 +212,19 @@ msgstr "" msgid "Modified" msgstr "" -#: js/files.js:765 +#: js/files.js:763 msgid "1 folder" msgstr "" -#: js/files.js:767 +#: js/files.js:765 msgid "{count} folders" msgstr "" -#: js/files.js:775 +#: js/files.js:773 msgid "1 file" msgstr "" -#: js/files.js:777 +#: js/files.js:775 msgid "{count} files" msgstr "" @@ -327,19 +327,19 @@ msgstr "" msgid "Current scanning" msgstr "" -#: templates/part.list.php:78 +#: templates/part.list.php:74 msgid "directory" msgstr "" -#: templates/part.list.php:80 +#: templates/part.list.php:76 msgid "directories" msgstr "" -#: templates/part.list.php:89 +#: templates/part.list.php:85 msgid "file" msgstr "" -#: templates/part.list.php:91 +#: templates/part.list.php:87 msgid "files" msgstr "" diff --git a/l10n/ne/lib.po b/l10n/ne/lib.po index 37489e0ed6..5445c8e816 100644 --- a/l10n/ne/lib.po +++ b/l10n/ne/lib.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:13+0000\n" +"POT-Creation-Date: 2013-07-24 01:55-0400\n" +"PO-Revision-Date: 2013-07-24 05:55+0000\n" "Last-Translator: I Robot \n" "Language-Team: Nepali (http://www.transifex.com/projects/p/owncloud/language/ne/)\n" "MIME-Version: 1.0\n" @@ -41,27 +41,43 @@ msgstr "" msgid "Admin" msgstr "" +#: app.php:844 +#, php-format +msgid "Failed to upgrade \"%s\"." +msgstr "" + #: defaults.php:33 msgid "web services under your control" msgstr "" -#: files.php:210 +#: files.php:66 files.php:98 +#, php-format +msgid "cannot open \"%s\"" +msgstr "" + +#: files.php:226 msgid "ZIP download is turned off." msgstr "" -#: files.php:211 +#: files.php:227 msgid "Files need to be downloaded one by one." msgstr "" -#: files.php:212 files.php:245 +#: files.php:228 files.php:256 msgid "Back to Files" msgstr "" -#: files.php:242 +#: files.php:253 msgid "Selected files too large to generate zip file." msgstr "" -#: helper.php:236 +#: files.php:254 +msgid "" +"Download the files in smaller chunks, seperately or kindly ask your " +"administrator." +msgstr "" + +#: helper.php:235 msgid "couldn't be determined" msgstr "" @@ -170,77 +186,81 @@ msgstr "" msgid "PostgreSQL username and/or password not valid" msgstr "" -#: setup.php:42 +#: setup.php:28 msgid "Set an admin username." msgstr "" -#: setup.php:45 +#: setup.php:31 msgid "Set an admin password." msgstr "" -#: setup.php:198 +#: setup.php:184 msgid "" "Your web server is not yet properly setup to allow files synchronization " "because the WebDAV interface seems to be broken." msgstr "" -#: setup.php:199 +#: setup.php:185 #, php-format msgid "Please double check the installation guides." msgstr "" -#: template.php:113 +#: template/functions.php:80 msgid "seconds ago" msgstr "" -#: template.php:114 +#: template/functions.php:81 msgid "1 minute ago" msgstr "" -#: template.php:115 +#: template/functions.php:82 #, php-format msgid "%d minutes ago" msgstr "" -#: template.php:116 +#: template/functions.php:83 msgid "1 hour ago" msgstr "" -#: template.php:117 +#: template/functions.php:84 #, php-format msgid "%d hours ago" msgstr "" -#: template.php:118 +#: template/functions.php:85 msgid "today" msgstr "" -#: template.php:119 +#: template/functions.php:86 msgid "yesterday" msgstr "" -#: template.php:120 +#: template/functions.php:87 #, php-format msgid "%d days ago" msgstr "" -#: template.php:121 +#: template/functions.php:88 msgid "last month" msgstr "" -#: template.php:122 +#: template/functions.php:89 #, php-format msgid "%d months ago" msgstr "" -#: template.php:123 +#: template/functions.php:90 msgid "last year" msgstr "" -#: template.php:124 +#: template/functions.php:91 msgid "years ago" msgstr "" +#: template.php:296 +msgid "Caused by:" +msgstr "" + #: vcategories.php:188 vcategories.php:249 #, php-format msgid "Could not find category \"%s\"" diff --git a/l10n/ne/settings.po b/l10n/ne/settings.po index ae9c39a29d..9f7103ae07 100644 --- a/l10n/ne/settings.po +++ b/l10n/ne/settings.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-06-20 02:37+0200\n" -"PO-Revision-Date: 2013-06-20 00:37+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:55+0000\n" "Last-Translator: I Robot \n" "Language-Team: Nepali (http://www.transifex.com/projects/p/owncloud/language/ne/)\n" "MIME-Version: 1.0\n" @@ -88,35 +88,35 @@ msgstr "" msgid "Couldn't update app." msgstr "" -#: js/apps.js:30 +#: js/apps.js:35 msgid "Update to {appversion}" msgstr "" -#: js/apps.js:36 js/apps.js:76 +#: js/apps.js:41 js/apps.js:81 msgid "Disable" msgstr "" -#: js/apps.js:36 js/apps.js:64 js/apps.js:83 +#: js/apps.js:41 js/apps.js:69 js/apps.js:88 msgid "Enable" msgstr "" -#: js/apps.js:55 +#: js/apps.js:60 msgid "Please wait...." msgstr "" -#: js/apps.js:59 js/apps.js:71 js/apps.js:80 js/apps.js:93 +#: js/apps.js:64 js/apps.js:76 js/apps.js:85 js/apps.js:98 msgid "Error" msgstr "" -#: js/apps.js:90 +#: js/apps.js:95 msgid "Updating...." msgstr "" -#: js/apps.js:93 +#: js/apps.js:98 msgid "Error while updating app" msgstr "" -#: js/apps.js:96 +#: js/apps.js:101 msgid "Updated" msgstr "" @@ -165,15 +165,15 @@ msgstr "" msgid "A valid password must be provided" msgstr "" -#: personal.php:35 personal.php:36 +#: personal.php:37 personal.php:38 msgid "__language_name__" msgstr "" -#: templates/admin.php:15 +#: templates/admin.php:17 msgid "Security Warning" msgstr "" -#: templates/admin.php:18 +#: templates/admin.php:20 msgid "" "Your data directory and your files are probably accessible from the " "internet. The .htaccess file that ownCloud provides is not working. We " @@ -182,36 +182,36 @@ msgid "" " webserver document root." msgstr "" -#: templates/admin.php:29 +#: templates/admin.php:31 msgid "Setup Warning" msgstr "" -#: templates/admin.php:32 +#: templates/admin.php:34 msgid "" "Your web server is not yet properly setup to allow files synchronization " "because the WebDAV interface seems to be broken." msgstr "" -#: templates/admin.php:33 +#: templates/admin.php:35 #, php-format msgid "Please double check the installation guides." msgstr "" -#: templates/admin.php:44 +#: templates/admin.php:46 msgid "Module 'fileinfo' missing" msgstr "" -#: templates/admin.php:47 +#: templates/admin.php:49 msgid "" "The PHP module 'fileinfo' is missing. We strongly recommend to enable this " "module to get best results with mime-type detection." msgstr "" -#: templates/admin.php:58 +#: templates/admin.php:60 msgid "Locale not working" msgstr "" -#: templates/admin.php:63 +#: templates/admin.php:65 #, php-format msgid "" "This ownCloud server can't set system locale to %s. This means that there " @@ -219,11 +219,11 @@ msgid "" " to install the required packages on your system to support %s." msgstr "" -#: templates/admin.php:75 +#: templates/admin.php:77 msgid "Internet connection not working" msgstr "" -#: templates/admin.php:78 +#: templates/admin.php:80 msgid "" "This ownCloud server has no working internet connection. This means that " "some of the features like mounting of external storage, notifications about " @@ -233,102 +233,111 @@ msgid "" " of ownCloud." msgstr "" -#: templates/admin.php:92 +#: templates/admin.php:94 msgid "Cron" msgstr "" -#: templates/admin.php:101 +#: templates/admin.php:103 msgid "Execute one task with each page loaded" msgstr "" -#: templates/admin.php:111 +#: templates/admin.php:113 msgid "" "cron.php is registered at a webcron service. Call the cron.php page in the " "owncloud root once a minute over http." msgstr "" -#: templates/admin.php:121 +#: templates/admin.php:123 msgid "" "Use systems cron service. Call the cron.php file in the owncloud folder via " "a system cronjob once a minute." msgstr "" -#: templates/admin.php:128 +#: templates/admin.php:130 msgid "Sharing" msgstr "" -#: templates/admin.php:134 +#: templates/admin.php:136 msgid "Enable Share API" msgstr "" -#: templates/admin.php:135 +#: templates/admin.php:137 msgid "Allow apps to use the Share API" msgstr "" -#: templates/admin.php:142 +#: templates/admin.php:144 msgid "Allow links" msgstr "" -#: templates/admin.php:143 +#: templates/admin.php:145 msgid "Allow users to share items to the public with links" msgstr "" -#: templates/admin.php:150 +#: templates/admin.php:153 +msgid "Allow public uploads" +msgstr "" + +#: templates/admin.php:154 +msgid "" +"Allow users to enable others to upload into their publicly shared folders" +msgstr "" + +#: templates/admin.php:162 msgid "Allow resharing" msgstr "" -#: templates/admin.php:151 +#: templates/admin.php:163 msgid "Allow users to share items shared with them again" msgstr "" -#: templates/admin.php:158 +#: templates/admin.php:170 msgid "Allow users to share with anyone" msgstr "" -#: templates/admin.php:161 +#: templates/admin.php:173 msgid "Allow users to only share with users in their groups" msgstr "" -#: templates/admin.php:168 +#: templates/admin.php:180 msgid "Security" msgstr "" -#: templates/admin.php:181 +#: templates/admin.php:193 msgid "Enforce HTTPS" msgstr "" -#: templates/admin.php:182 +#: templates/admin.php:194 msgid "" "Enforces the clients to connect to ownCloud via an encrypted connection." msgstr "" -#: templates/admin.php:185 +#: templates/admin.php:197 msgid "" "Please connect to this ownCloud instance via HTTPS to enable or disable the " "SSL enforcement." msgstr "" -#: templates/admin.php:195 +#: templates/admin.php:207 msgid "Log" msgstr "" -#: templates/admin.php:196 +#: templates/admin.php:208 msgid "Log level" msgstr "" -#: templates/admin.php:227 +#: templates/admin.php:239 msgid "More" msgstr "" -#: templates/admin.php:228 +#: templates/admin.php:240 msgid "Less" msgstr "" -#: templates/admin.php:235 templates/personal.php:116 +#: templates/admin.php:246 templates/personal.php:116 msgid "Version" msgstr "" -#: templates/admin.php:237 templates/personal.php:119 +#: templates/admin.php:250 templates/personal.php:119 msgid "" "Developed by the ownCloud community, the %s of the available %s" msgstr "" -#: templates/personal.php:40 templates/users.php:23 templates/users.php:86 +#: templates/personal.php:41 templates/users.php:23 templates/users.php:86 msgid "Password" msgstr "" -#: templates/personal.php:41 +#: templates/personal.php:42 msgid "Your password was changed" msgstr "" -#: templates/personal.php:42 +#: templates/personal.php:43 msgid "Unable to change your password" msgstr "" -#: templates/personal.php:43 +#: templates/personal.php:44 msgid "Current password" msgstr "" -#: templates/personal.php:45 +#: templates/personal.php:46 msgid "New password" msgstr "" -#: templates/personal.php:47 +#: templates/personal.php:48 msgid "Change password" msgstr "" -#: templates/personal.php:59 templates/users.php:85 +#: templates/personal.php:60 templates/users.php:85 msgid "Display Name" msgstr "" -#: templates/personal.php:74 +#: templates/personal.php:75 msgid "Email" msgstr "" -#: templates/personal.php:76 +#: templates/personal.php:77 msgid "Your email address" msgstr "" -#: templates/personal.php:77 +#: templates/personal.php:78 msgid "Fill in an email address to enable password recovery" msgstr "" -#: templates/personal.php:86 templates/personal.php:87 +#: templates/personal.php:87 templates/personal.php:88 msgid "Language" msgstr "" -#: templates/personal.php:99 +#: templates/personal.php:100 msgid "Help translate" msgstr "" -#: templates/personal.php:105 +#: templates/personal.php:106 msgid "WebDAV" msgstr "" -#: templates/personal.php:107 -msgid "Use this address to connect to your ownCloud in your file manager" +#: templates/personal.php:108 +#, php-format +msgid "" +"Use this address to access your Files via WebDAV" msgstr "" #: templates/users.php:21 diff --git a/l10n/nl/core.po b/l10n/nl/core.po index a248132adc..1815325c33 100644 --- a/l10n/nl/core.po +++ b/l10n/nl/core.po @@ -9,9 +9,9 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:12+0000\n" -"Last-Translator: André Koot \n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:04+0000\n" +"Last-Translator: I Robot \n" "Language-Team: Dutch (http://www.transifex.com/projects/p/owncloud/language/nl/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -139,59 +139,59 @@ msgstr "november" msgid "December" msgstr "december" -#: js/js.js:289 +#: js/js.js:293 msgid "Settings" msgstr "Instellingen" -#: js/js.js:721 +#: js/js.js:715 msgid "seconds ago" msgstr "seconden geleden" -#: js/js.js:722 +#: js/js.js:716 msgid "1 minute ago" msgstr "1 minuut geleden" -#: js/js.js:723 +#: js/js.js:717 msgid "{minutes} minutes ago" msgstr "{minutes} minuten geleden" -#: js/js.js:724 +#: js/js.js:718 msgid "1 hour ago" msgstr "1 uur geleden" -#: js/js.js:725 +#: js/js.js:719 msgid "{hours} hours ago" msgstr "{hours} uren geleden" -#: js/js.js:726 +#: js/js.js:720 msgid "today" msgstr "vandaag" -#: js/js.js:727 +#: js/js.js:721 msgid "yesterday" msgstr "gisteren" -#: js/js.js:728 +#: js/js.js:722 msgid "{days} days ago" msgstr "{days} dagen geleden" -#: js/js.js:729 +#: js/js.js:723 msgid "last month" msgstr "vorige maand" -#: js/js.js:730 +#: js/js.js:724 msgid "{months} months ago" msgstr "{months} maanden geleden" -#: js/js.js:731 +#: js/js.js:725 msgid "months ago" msgstr "maanden geleden" -#: js/js.js:732 +#: js/js.js:726 msgid "last year" msgstr "vorig jaar" -#: js/js.js:733 +#: js/js.js:727 msgid "years ago" msgstr "jaar geleden" @@ -227,8 +227,8 @@ msgstr "Het object type is niet gespecificeerd." #: js/oc-vcategories.js:14 js/oc-vcategories.js:80 js/oc-vcategories.js:95 #: js/oc-vcategories.js:110 js/oc-vcategories.js:125 js/oc-vcategories.js:136 #: js/oc-vcategories.js:172 js/oc-vcategories.js:189 js/oc-vcategories.js:195 -#: js/oc-vcategories.js:199 js/share.js:136 js/share.js:143 js/share.js:618 -#: js/share.js:630 +#: js/oc-vcategories.js:199 js/share.js:136 js/share.js:143 js/share.js:625 +#: js/share.js:637 msgid "Error" msgstr "Fout" @@ -248,7 +248,7 @@ msgstr "Gedeeld" msgid "Share" msgstr "Delen" -#: js/share.js:125 js/share.js:658 +#: js/share.js:125 js/share.js:665 msgid "Error while sharing" msgstr "Fout tijdens het delen" @@ -268,114 +268,114 @@ msgstr "Gedeeld met u en de groep {group} door {owner}" msgid "Shared with you by {owner}" msgstr "Gedeeld met u door {owner}" -#: js/share.js:172 +#: js/share.js:177 msgid "Share with" msgstr "Deel met" -#: js/share.js:177 +#: js/share.js:182 msgid "Share with link" msgstr "Deel met link" -#: js/share.js:180 +#: js/share.js:185 msgid "Password protect" msgstr "Wachtwoord beveiligd" -#: js/share.js:182 templates/installation.php:54 templates/login.php:26 +#: js/share.js:187 templates/installation.php:54 templates/login.php:26 msgid "Password" msgstr "Wachtwoord" -#: js/share.js:186 +#: js/share.js:192 msgid "Allow Public Upload" msgstr "Sta publieke uploads toe" -#: js/share.js:189 +#: js/share.js:196 msgid "Email link to person" msgstr "E-mail link naar persoon" -#: js/share.js:190 +#: js/share.js:197 msgid "Send" msgstr "Versturen" -#: js/share.js:195 +#: js/share.js:202 msgid "Set expiration date" msgstr "Stel vervaldatum in" -#: js/share.js:196 +#: js/share.js:203 msgid "Expiration date" msgstr "Vervaldatum" -#: js/share.js:228 +#: js/share.js:235 msgid "Share via email:" msgstr "Deel via e-mail:" -#: js/share.js:230 +#: js/share.js:237 msgid "No people found" msgstr "Geen mensen gevonden" -#: js/share.js:268 +#: js/share.js:275 msgid "Resharing is not allowed" msgstr "Verder delen is niet toegestaan" -#: js/share.js:304 +#: js/share.js:311 msgid "Shared in {item} with {user}" msgstr "Gedeeld in {item} met {user}" -#: js/share.js:325 +#: js/share.js:332 msgid "Unshare" msgstr "Stop met delen" -#: js/share.js:337 +#: js/share.js:344 msgid "can edit" msgstr "kan wijzigen" -#: js/share.js:339 +#: js/share.js:346 msgid "access control" msgstr "toegangscontrole" -#: js/share.js:342 +#: js/share.js:349 msgid "create" msgstr "creëer" -#: js/share.js:345 +#: js/share.js:352 msgid "update" msgstr "bijwerken" -#: js/share.js:348 +#: js/share.js:355 msgid "delete" msgstr "verwijderen" -#: js/share.js:351 +#: js/share.js:358 msgid "share" msgstr "deel" -#: js/share.js:385 js/share.js:605 +#: js/share.js:392 js/share.js:612 msgid "Password protected" msgstr "Wachtwoord beveiligd" -#: js/share.js:618 +#: js/share.js:625 msgid "Error unsetting expiration date" msgstr "Fout tijdens het verwijderen van de verval datum" -#: js/share.js:630 +#: js/share.js:637 msgid "Error setting expiration date" msgstr "Fout tijdens het instellen van de vervaldatum" -#: js/share.js:645 +#: js/share.js:652 msgid "Sending ..." msgstr "Versturen ..." -#: js/share.js:656 +#: js/share.js:663 msgid "Email sent" msgstr "E-mail verzonden" -#: js/update.js:14 +#: js/update.js:17 msgid "" "The update was unsuccessful. Please report this issue to the ownCloud " "community." msgstr "De update is niet geslaagd. Meld dit probleem aan bij de ownCloud community." -#: js/update.js:18 +#: js/update.js:21 msgid "The update was successful. Redirecting you to ownCloud now." msgstr "De update is geslaagd. Je wordt teruggeleid naar je eigen ownCloud." @@ -467,7 +467,7 @@ msgstr "Toegang verboden" msgid "Cloud not found" msgstr "Cloud niet gevonden" -#: templates/altmail.php:2 +#: templates/altmail.php:4 #, php-format msgid "" "Hey there,\n" @@ -478,10 +478,6 @@ msgid "" "Cheers!" msgstr "Hallo daar,\n\n%s deelde %s met jou.\nBekijk: %s\n\nVeel plezier!" -#: templates/altmail.php:7 templates/mail.php:24 -msgid "web services under your control" -msgstr "Webdiensten in eigen beheer" - #: templates/edit_categories_dialog.php:4 msgid "Edit categories" msgstr "Wijzig categorieën" @@ -613,7 +609,7 @@ msgstr "Meld je aan" msgid "Alternative Logins" msgstr "Alternatieve inlogs" -#: templates/mail.php:15 +#: templates/mail.php:16 #, php-format msgid "" "Hey there,

    just letting you know that %s shared »%s« with you.
    \n" "Language-Team: Dutch (http://www.transifex.com/projects/p/owncloud/language/nl/)\n" "MIME-Version: 1.0\n" @@ -28,54 +28,54 @@ msgstr "Kon %s niet verplaatsen - Er bestaat al een bestand met deze naam" msgid "Could not move %s" msgstr "Kon %s niet verplaatsen" -#: ajax/upload.php:16 ajax/upload.php:39 +#: ajax/upload.php:16 ajax/upload.php:45 msgid "Unable to set upload directory." msgstr "Kan upload map niet instellen." -#: ajax/upload.php:23 +#: ajax/upload.php:22 msgid "Invalid Token" msgstr "Ongeldig Token" -#: ajax/upload.php:55 +#: ajax/upload.php:59 msgid "No file was uploaded. Unknown error" msgstr "Er was geen bestand geladen. Onbekende fout" -#: ajax/upload.php:62 +#: ajax/upload.php:66 msgid "There is no error, the file uploaded with success" msgstr "De upload van het bestand is goedgegaan." -#: ajax/upload.php:63 +#: ajax/upload.php:67 msgid "" "The uploaded file exceeds the upload_max_filesize directive in php.ini: " msgstr "Het geüploade bestand overscheidt de upload_max_filesize optie in php.ini:" -#: ajax/upload.php:65 +#: ajax/upload.php:69 msgid "" "The uploaded file exceeds the MAX_FILE_SIZE directive that was specified in " "the HTML form" msgstr "Het bestand overschrijdt de MAX_FILE_SIZE instelling dat is opgegeven in het HTML formulier" -#: ajax/upload.php:66 +#: ajax/upload.php:70 msgid "The uploaded file was only partially uploaded" msgstr "Het bestand is gedeeltelijk geüpload" -#: ajax/upload.php:67 +#: ajax/upload.php:71 msgid "No file was uploaded" msgstr "Er is geen bestand geüpload" -#: ajax/upload.php:68 +#: ajax/upload.php:72 msgid "Missing a temporary folder" msgstr "Er ontbreekt een tijdelijke map" -#: ajax/upload.php:69 +#: ajax/upload.php:73 msgid "Failed to write to disk" msgstr "Schrijven naar schijf mislukt" -#: ajax/upload.php:87 +#: ajax/upload.php:91 msgid "Not enough storage available" msgstr "Niet genoeg opslagruimte beschikbaar" -#: ajax/upload.php:119 +#: ajax/upload.php:123 msgid "Invalid directory." msgstr "Ongeldige directory." @@ -129,43 +129,43 @@ msgstr "Verwijder" msgid "Rename" msgstr "Hernoem" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:464 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:465 msgid "Pending" msgstr "In behandeling" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "{new_name} already exists" msgstr "{new_name} bestaat al" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "replace" msgstr "vervang" -#: js/filelist.js:302 +#: js/filelist.js:303 msgid "suggest name" msgstr "Stel een naam voor" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "cancel" msgstr "annuleren" -#: js/filelist.js:349 +#: js/filelist.js:350 msgid "replaced {new_name} with {old_name}" msgstr "verving {new_name} met {old_name}" -#: js/filelist.js:349 +#: js/filelist.js:350 msgid "undo" msgstr "ongedaan maken" -#: js/filelist.js:374 +#: js/filelist.js:375 msgid "perform delete operation" msgstr "uitvoeren verwijderactie" -#: js/filelist.js:456 +#: js/filelist.js:457 msgid "1 file uploading" msgstr "1 bestand wordt ge-upload" -#: js/filelist.js:459 js/filelist.js:517 +#: js/filelist.js:460 js/filelist.js:518 msgid "files uploading" msgstr "bestanden aan het uploaden" @@ -213,26 +213,26 @@ msgstr "Grootte" msgid "Modified" msgstr "Aangepast" -#: js/files.js:765 +#: js/files.js:763 msgid "1 folder" msgstr "1 map" -#: js/files.js:767 +#: js/files.js:765 msgid "{count} folders" msgstr "{count} mappen" -#: js/files.js:775 +#: js/files.js:773 msgid "1 file" msgstr "1 bestand" -#: js/files.js:777 +#: js/files.js:775 msgid "{count} files" msgstr "{count} bestanden" #: lib/app.php:73 #, php-format msgid "%s could not be renamed" -msgstr "" +msgstr "%s kon niet worden hernoemd" #: lib/helper.php:11 templates/index.php:18 msgid "Upload" @@ -328,19 +328,19 @@ msgstr "Bestanden worden gescand, even wachten." msgid "Current scanning" msgstr "Er wordt gescand" -#: templates/part.list.php:78 +#: templates/part.list.php:74 msgid "directory" -msgstr "" +msgstr "directory" -#: templates/part.list.php:80 +#: templates/part.list.php:76 msgid "directories" -msgstr "" +msgstr "directories" -#: templates/part.list.php:89 +#: templates/part.list.php:85 msgid "file" msgstr "bestand" -#: templates/part.list.php:91 +#: templates/part.list.php:87 msgid "files" msgstr "bestanden" diff --git a/l10n/nl/files_external.po b/l10n/nl/files_external.po index 4ebdfbe8db..605a5e2ce9 100644 --- a/l10n/nl/files_external.po +++ b/l10n/nl/files_external.po @@ -8,8 +8,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: André Koot \n" "Language-Team: Dutch (http://www.transifex.com/projects/p/owncloud/language/nl/)\n" "MIME-Version: 1.0\n" @@ -38,20 +38,20 @@ msgstr "Geef een geldige Dropbox key en secret." msgid "Error configuring Google Drive storage" msgstr "Fout tijdens het configureren van Google Drive opslag" -#: lib/config.php:431 +#: lib/config.php:447 msgid "" "Warning: \"smbclient\" is not installed. Mounting of CIFS/SMB shares " "is not possible. Please ask your system administrator to install it." msgstr "Waarschuwing: \"smbclient\" is niet geïnstalleerd. Mounten van CIFS/SMB shares is niet mogelijk. Vraag uw beheerder om smbclient te installeren." -#: lib/config.php:434 +#: lib/config.php:450 msgid "" "Warning: The FTP support in PHP is not enabled or installed. Mounting" " of FTP shares is not possible. Please ask your system administrator to " "install it." msgstr "Waarschuwing: FTP ondersteuning in PHP is niet geactiveerd of geïnstalleerd. Mounten van FTP shares is niet mogelijk. Vraag uw beheerder FTP ondersteuning te installeren." -#: lib/config.php:437 +#: lib/config.php:453 msgid "" "Warning: The Curl support in PHP is not enabled or installed. " "Mounting of ownCloud / WebDAV or GoogleDrive is not possible. Please ask " diff --git a/l10n/nl/files_sharing.po b/l10n/nl/files_sharing.po index a6294e70a7..694d58f349 100644 --- a/l10n/nl/files_sharing.po +++ b/l10n/nl/files_sharing.po @@ -3,13 +3,14 @@ # This file is distributed under the same license as the PACKAGE package. # # Translators: +# André Koot , 2013 msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:13+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" +"Last-Translator: André Koot \n" "Language-Team: Dutch (http://www.transifex.com/projects/p/owncloud/language/nl/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -19,7 +20,7 @@ msgstr "" #: templates/authenticate.php:4 msgid "The password is wrong. Try again." -msgstr "" +msgstr "Wachtwoord ongeldig. Probeer het nogmaals." #: templates/authenticate.php:7 msgid "Password" @@ -39,18 +40,18 @@ msgstr "%s deelt de map %s met u" msgid "%s shared the file %s with you" msgstr "%s deelt het bestand %s met u" -#: templates/public.php:28 templates/public.php:86 +#: templates/public.php:28 templates/public.php:90 msgid "Download" msgstr "Downloaden" -#: templates/public.php:44 +#: templates/public.php:45 templates/public.php:48 msgid "Upload" msgstr "Uploaden" -#: templates/public.php:54 +#: templates/public.php:58 msgid "Cancel upload" msgstr "Upload afbreken" -#: templates/public.php:83 +#: templates/public.php:87 msgid "No preview available for" msgstr "Geen voorbeeldweergave beschikbaar voor" diff --git a/l10n/nl/files_trashbin.po b/l10n/nl/files_trashbin.po index 417ee106bd..091aa463e7 100644 --- a/l10n/nl/files_trashbin.po +++ b/l10n/nl/files_trashbin.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: I Robot \n" "Language-Team: Dutch (http://www.transifex.com/projects/p/owncloud/language/nl/)\n" "MIME-Version: 1.0\n" diff --git a/l10n/nl/lib.po b/l10n/nl/lib.po index 18171e425e..9f001941d0 100644 --- a/l10n/nl/lib.po +++ b/l10n/nl/lib.po @@ -8,8 +8,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:13+0000\n" +"POT-Creation-Date: 2013-07-24 01:55-0400\n" +"PO-Revision-Date: 2013-07-24 05:55+0000\n" "Last-Translator: I Robot \n" "Language-Team: Dutch (http://www.transifex.com/projects/p/owncloud/language/nl/)\n" "MIME-Version: 1.0\n" @@ -42,27 +42,43 @@ msgstr "Apps" msgid "Admin" msgstr "Beheerder" -#: defaults.php:33 -msgid "web services under your control" +#: app.php:844 +#, php-format +msgid "Failed to upgrade \"%s\"." msgstr "" -#: files.php:210 +#: defaults.php:33 +msgid "web services under your control" +msgstr "Webdiensten in eigen beheer" + +#: files.php:66 files.php:98 +#, php-format +msgid "cannot open \"%s\"" +msgstr "" + +#: files.php:226 msgid "ZIP download is turned off." msgstr "ZIP download is uitgeschakeld." -#: files.php:211 +#: files.php:227 msgid "Files need to be downloaded one by one." msgstr "Bestanden moeten één voor één worden gedownload." -#: files.php:212 files.php:245 +#: files.php:228 files.php:256 msgid "Back to Files" msgstr "Terug naar bestanden" -#: files.php:242 +#: files.php:253 msgid "Selected files too large to generate zip file." msgstr "De geselecteerde bestanden zijn te groot om een zip bestand te maken." -#: helper.php:236 +#: files.php:254 +msgid "" +"Download the files in smaller chunks, seperately or kindly ask your " +"administrator." +msgstr "" + +#: helper.php:235 msgid "couldn't be determined" msgstr "kon niet worden vastgesteld" @@ -171,77 +187,81 @@ msgstr "Onjuiste commando was: \"%s\", naam: %s, wachtwoord: %s" msgid "PostgreSQL username and/or password not valid" msgstr "PostgreSQL gebruikersnaam en/of wachtwoord ongeldig" -#: setup.php:42 +#: setup.php:28 msgid "Set an admin username." msgstr "Stel de gebruikersnaam van de beheerder in." -#: setup.php:45 +#: setup.php:31 msgid "Set an admin password." msgstr "Stel een beheerderswachtwoord in." -#: setup.php:198 +#: setup.php:184 msgid "" "Your web server is not yet properly setup to allow files synchronization " "because the WebDAV interface seems to be broken." msgstr "Uw webserver is nog niet goed ingesteld voor bestandssynchronisatie omdat de WebDAV interface verbroken lijkt." -#: setup.php:199 +#: setup.php:185 #, php-format msgid "Please double check the installation guides." msgstr "Controleer de installatiehandleiding goed." -#: template.php:113 +#: template/functions.php:80 msgid "seconds ago" msgstr "seconden geleden" -#: template.php:114 +#: template/functions.php:81 msgid "1 minute ago" msgstr "1 minuut geleden" -#: template.php:115 +#: template/functions.php:82 #, php-format msgid "%d minutes ago" msgstr "%d minuten geleden" -#: template.php:116 +#: template/functions.php:83 msgid "1 hour ago" msgstr "1 uur geleden" -#: template.php:117 +#: template/functions.php:84 #, php-format msgid "%d hours ago" msgstr "%d uren geleden" -#: template.php:118 +#: template/functions.php:85 msgid "today" msgstr "vandaag" -#: template.php:119 +#: template/functions.php:86 msgid "yesterday" msgstr "gisteren" -#: template.php:120 +#: template/functions.php:87 #, php-format msgid "%d days ago" msgstr "%d dagen geleden" -#: template.php:121 +#: template/functions.php:88 msgid "last month" msgstr "vorige maand" -#: template.php:122 +#: template/functions.php:89 #, php-format msgid "%d months ago" msgstr "%d maanden geleden" -#: template.php:123 +#: template/functions.php:90 msgid "last year" msgstr "vorig jaar" -#: template.php:124 +#: template/functions.php:91 msgid "years ago" msgstr "jaar geleden" +#: template.php:296 +msgid "Caused by:" +msgstr "" + #: vcategories.php:188 vcategories.php:249 #, php-format msgid "Could not find category \"%s\"" diff --git a/l10n/nl/settings.po b/l10n/nl/settings.po index 21ec7c4f26..640ab521f4 100644 --- a/l10n/nl/settings.po +++ b/l10n/nl/settings.po @@ -9,8 +9,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:55+0000\n" "Last-Translator: I Robot \n" "Language-Team: Dutch (http://www.transifex.com/projects/p/owncloud/language/nl/)\n" "MIME-Version: 1.0\n" @@ -275,62 +275,71 @@ msgstr "Toestaan links" msgid "Allow users to share items to the public with links" msgstr "Toestaan dat gebruikers objecten met links delen met anderen" -#: templates/admin.php:152 +#: templates/admin.php:153 +msgid "Allow public uploads" +msgstr "" + +#: templates/admin.php:154 +msgid "" +"Allow users to enable others to upload into their publicly shared folders" +msgstr "" + +#: templates/admin.php:162 msgid "Allow resharing" msgstr "Toestaan opnieuw delen" -#: templates/admin.php:153 +#: templates/admin.php:163 msgid "Allow users to share items shared with them again" msgstr "Toestaan dat gebruikers objecten die anderen met hun gedeeld hebben zelf ook weer delen met anderen" -#: templates/admin.php:160 +#: templates/admin.php:170 msgid "Allow users to share with anyone" msgstr "Toestaan dat gebruikers met iedereen delen" -#: templates/admin.php:163 +#: templates/admin.php:173 msgid "Allow users to only share with users in their groups" msgstr "Instellen dat gebruikers alleen met leden binnen hun groepen delen" -#: templates/admin.php:170 +#: templates/admin.php:180 msgid "Security" msgstr "Beveiliging" -#: templates/admin.php:183 +#: templates/admin.php:193 msgid "Enforce HTTPS" msgstr "Afdwingen HTTPS" -#: templates/admin.php:184 +#: templates/admin.php:194 msgid "" "Enforces the clients to connect to ownCloud via an encrypted connection." msgstr "Afdwingen dat de clients alleen via versleutelde verbinding contact maken met ownCloud." -#: templates/admin.php:187 +#: templates/admin.php:197 msgid "" "Please connect to this ownCloud instance via HTTPS to enable or disable the " "SSL enforcement." msgstr "Maak via HTTPS verbinding met deze ownCloud inrichting om het afdwingen van gebruik van SSL te activeren of deactiveren." -#: templates/admin.php:197 +#: templates/admin.php:207 msgid "Log" msgstr "Log" -#: templates/admin.php:198 +#: templates/admin.php:208 msgid "Log level" msgstr "Log niveau" -#: templates/admin.php:229 +#: templates/admin.php:239 msgid "More" msgstr "Meer" -#: templates/admin.php:230 +#: templates/admin.php:240 msgid "Less" msgstr "Minder" -#: templates/admin.php:236 templates/personal.php:116 +#: templates/admin.php:246 templates/personal.php:116 msgid "Version" msgstr "Versie" -#: templates/admin.php:240 templates/personal.php:119 +#: templates/admin.php:250 templates/personal.php:119 msgid "" "Developed by the ownCloud community, the access your Files via WebDAV" +msgstr "Gebruik dit adres toegang tot uw bestanden via WebDAV" #: templates/users.php:21 msgid "Login Name" diff --git a/l10n/nl/user_ldap.po b/l10n/nl/user_ldap.po index 8938851e6d..9bae0c7f7f 100644 --- a/l10n/nl/user_ldap.po +++ b/l10n/nl/user_ldap.po @@ -8,8 +8,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: André Koot \n" "Language-Team: Dutch (http://www.transifex.com/projects/p/owncloud/language/nl/)\n" "MIME-Version: 1.0\n" diff --git a/l10n/nn_NO/core.po b/l10n/nn_NO/core.po index 98bfac971d..cf0d8b1d8c 100644 --- a/l10n/nn_NO/core.po +++ b/l10n/nn_NO/core.po @@ -9,8 +9,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:12+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:04+0000\n" "Last-Translator: I Robot \n" "Language-Team: Norwegian Nynorsk (Norway) (http://www.transifex.com/projects/p/owncloud/language/nn_NO/)\n" "MIME-Version: 1.0\n" @@ -139,59 +139,59 @@ msgstr "November" msgid "December" msgstr "Desember" -#: js/js.js:289 +#: js/js.js:293 msgid "Settings" msgstr "Innstillingar" -#: js/js.js:721 +#: js/js.js:715 msgid "seconds ago" msgstr "sekund sidan" -#: js/js.js:722 +#: js/js.js:716 msgid "1 minute ago" msgstr "1 minutt sidan" -#: js/js.js:723 +#: js/js.js:717 msgid "{minutes} minutes ago" msgstr "{minutes} minutt sidan" -#: js/js.js:724 +#: js/js.js:718 msgid "1 hour ago" msgstr "1 time sidan" -#: js/js.js:725 +#: js/js.js:719 msgid "{hours} hours ago" msgstr "{hours} timar sidan" -#: js/js.js:726 +#: js/js.js:720 msgid "today" msgstr "i dag" -#: js/js.js:727 +#: js/js.js:721 msgid "yesterday" msgstr "i går" -#: js/js.js:728 +#: js/js.js:722 msgid "{days} days ago" msgstr "{days} dagar sidan" -#: js/js.js:729 +#: js/js.js:723 msgid "last month" msgstr "førre månad" -#: js/js.js:730 +#: js/js.js:724 msgid "{months} months ago" msgstr "{months} månadar sidan" -#: js/js.js:731 +#: js/js.js:725 msgid "months ago" msgstr "månadar sidan" -#: js/js.js:732 +#: js/js.js:726 msgid "last year" msgstr "i fjor" -#: js/js.js:733 +#: js/js.js:727 msgid "years ago" msgstr "år sidan" @@ -227,8 +227,8 @@ msgstr "Objekttypen er ikkje spesifisert." #: js/oc-vcategories.js:14 js/oc-vcategories.js:80 js/oc-vcategories.js:95 #: js/oc-vcategories.js:110 js/oc-vcategories.js:125 js/oc-vcategories.js:136 #: js/oc-vcategories.js:172 js/oc-vcategories.js:189 js/oc-vcategories.js:195 -#: js/oc-vcategories.js:199 js/share.js:136 js/share.js:143 js/share.js:618 -#: js/share.js:630 +#: js/oc-vcategories.js:199 js/share.js:136 js/share.js:143 js/share.js:625 +#: js/share.js:637 msgid "Error" msgstr "Feil" @@ -248,7 +248,7 @@ msgstr "Delt" msgid "Share" msgstr "Del" -#: js/share.js:125 js/share.js:658 +#: js/share.js:125 js/share.js:665 msgid "Error while sharing" msgstr "Feil ved deling" @@ -268,114 +268,114 @@ msgstr "Delt med deg og gruppa {group} av {owner}" msgid "Shared with you by {owner}" msgstr "Delt med deg av {owner}" -#: js/share.js:172 +#: js/share.js:177 msgid "Share with" msgstr "Del med" -#: js/share.js:177 +#: js/share.js:182 msgid "Share with link" msgstr "Del med lenkje" -#: js/share.js:180 +#: js/share.js:185 msgid "Password protect" msgstr "Passordvern" -#: js/share.js:182 templates/installation.php:54 templates/login.php:26 +#: js/share.js:187 templates/installation.php:54 templates/login.php:26 msgid "Password" msgstr "Passord" -#: js/share.js:186 +#: js/share.js:192 msgid "Allow Public Upload" msgstr "" -#: js/share.js:189 +#: js/share.js:196 msgid "Email link to person" msgstr "Send lenkja over e-post" -#: js/share.js:190 +#: js/share.js:197 msgid "Send" msgstr "Send" -#: js/share.js:195 +#: js/share.js:202 msgid "Set expiration date" msgstr "Set utløpsdato" -#: js/share.js:196 +#: js/share.js:203 msgid "Expiration date" msgstr "Utløpsdato" -#: js/share.js:228 +#: js/share.js:235 msgid "Share via email:" msgstr "Del over e-post:" -#: js/share.js:230 +#: js/share.js:237 msgid "No people found" msgstr "Fann ingen personar" -#: js/share.js:268 +#: js/share.js:275 msgid "Resharing is not allowed" msgstr "Vidaredeling er ikkje tillate" -#: js/share.js:304 +#: js/share.js:311 msgid "Shared in {item} with {user}" msgstr "Delt i {item} med {brukar}" -#: js/share.js:325 +#: js/share.js:332 msgid "Unshare" msgstr "Udel" -#: js/share.js:337 +#: js/share.js:344 msgid "can edit" msgstr "kan endra" -#: js/share.js:339 +#: js/share.js:346 msgid "access control" msgstr "tilgangskontroll" -#: js/share.js:342 +#: js/share.js:349 msgid "create" msgstr "lag" -#: js/share.js:345 +#: js/share.js:352 msgid "update" msgstr "oppdater" -#: js/share.js:348 +#: js/share.js:355 msgid "delete" msgstr "slett" -#: js/share.js:351 +#: js/share.js:358 msgid "share" msgstr "del" -#: js/share.js:385 js/share.js:605 +#: js/share.js:392 js/share.js:612 msgid "Password protected" msgstr "Passordverna" -#: js/share.js:618 +#: js/share.js:625 msgid "Error unsetting expiration date" msgstr "Klarte ikkje fjerna utløpsdato" -#: js/share.js:630 +#: js/share.js:637 msgid "Error setting expiration date" msgstr "Klarte ikkje setja utløpsdato" -#: js/share.js:645 +#: js/share.js:652 msgid "Sending ..." msgstr "Sender …" -#: js/share.js:656 +#: js/share.js:663 msgid "Email sent" msgstr "E-post sendt" -#: js/update.js:14 +#: js/update.js:17 msgid "" "The update was unsuccessful. Please report this issue to the ownCloud " "community." msgstr "Oppdateringa feila. Ver venleg og rapporter feilen til ownCloud-fellesskapet." -#: js/update.js:18 +#: js/update.js:21 msgid "The update was successful. Redirecting you to ownCloud now." msgstr "Oppdateringa er fullført. Sender deg vidare til ownCloud no." @@ -467,7 +467,7 @@ msgstr "Tilgang forbudt" msgid "Cloud not found" msgstr "Fann ikkje skyen" -#: templates/altmail.php:2 +#: templates/altmail.php:4 #, php-format msgid "" "Hey there,\n" @@ -478,10 +478,6 @@ msgid "" "Cheers!" msgstr "" -#: templates/altmail.php:7 templates/mail.php:24 -msgid "web services under your control" -msgstr "Vev tjenester under din kontroll" - #: templates/edit_categories_dialog.php:4 msgid "Edit categories" msgstr "Endra kategoriar" @@ -613,7 +609,7 @@ msgstr "Logg inn" msgid "Alternative Logins" msgstr "Alternative innloggingar" -#: templates/mail.php:15 +#: templates/mail.php:16 #, php-format msgid "" "Hey there,

    just letting you know that %s shared »%s« with you.
    \n" "Language-Team: Norwegian Nynorsk (Norway) (http://www.transifex.com/projects/p/owncloud/language/nn_NO/)\n" "MIME-Version: 1.0\n" @@ -29,54 +29,54 @@ msgstr "Klarte ikkje flytta %s – det finst allereie ei fil med dette namnet" msgid "Could not move %s" msgstr "Klarte ikkje flytta %s" -#: ajax/upload.php:16 ajax/upload.php:39 +#: ajax/upload.php:16 ajax/upload.php:45 msgid "Unable to set upload directory." msgstr "" -#: ajax/upload.php:23 +#: ajax/upload.php:22 msgid "Invalid Token" msgstr "" -#: ajax/upload.php:55 +#: ajax/upload.php:59 msgid "No file was uploaded. Unknown error" msgstr "Ingen filer lasta opp. Ukjend feil" -#: ajax/upload.php:62 +#: ajax/upload.php:66 msgid "There is no error, the file uploaded with success" msgstr "Ingen feil, fila vart lasta opp" -#: ajax/upload.php:63 +#: ajax/upload.php:67 msgid "" "The uploaded file exceeds the upload_max_filesize directive in php.ini: " msgstr "Fila du lasta opp er større enn det «upload_max_filesize» i php.ini tillater: " -#: ajax/upload.php:65 +#: ajax/upload.php:69 msgid "" "The uploaded file exceeds the MAX_FILE_SIZE directive that was specified in " "the HTML form" msgstr "Den opplasta fila er større enn variabelen MAX_FILE_SIZE i HTML-skjemaet" -#: ajax/upload.php:66 +#: ajax/upload.php:70 msgid "The uploaded file was only partially uploaded" msgstr "Fila vart berre delvis lasta opp" -#: ajax/upload.php:67 +#: ajax/upload.php:71 msgid "No file was uploaded" msgstr "Ingen filer vart lasta opp" -#: ajax/upload.php:68 +#: ajax/upload.php:72 msgid "Missing a temporary folder" msgstr "Manglar ei mellombels mappe" -#: ajax/upload.php:69 +#: ajax/upload.php:73 msgid "Failed to write to disk" msgstr "Klarte ikkje skriva til disk" -#: ajax/upload.php:87 +#: ajax/upload.php:91 msgid "Not enough storage available" msgstr "Ikkje nok lagringsplass tilgjengeleg" -#: ajax/upload.php:119 +#: ajax/upload.php:123 msgid "Invalid directory." msgstr "Ugyldig mappe." @@ -130,43 +130,43 @@ msgstr "Slett" msgid "Rename" msgstr "Endra namn" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:464 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:465 msgid "Pending" msgstr "Under vegs" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "{new_name} already exists" msgstr "{new_name} finst allereie" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "replace" msgstr "byt ut" -#: js/filelist.js:302 +#: js/filelist.js:303 msgid "suggest name" msgstr "føreslå namn" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "cancel" msgstr "avbryt" -#: js/filelist.js:349 +#: js/filelist.js:350 msgid "replaced {new_name} with {old_name}" msgstr "bytte ut {new_name} med {old_name}" -#: js/filelist.js:349 +#: js/filelist.js:350 msgid "undo" msgstr "angre" -#: js/filelist.js:374 +#: js/filelist.js:375 msgid "perform delete operation" msgstr "utfør sletting" -#: js/filelist.js:456 +#: js/filelist.js:457 msgid "1 file uploading" msgstr "1 fil lastar opp" -#: js/filelist.js:459 js/filelist.js:517 +#: js/filelist.js:460 js/filelist.js:518 msgid "files uploading" msgstr "filer lastar opp" @@ -214,19 +214,19 @@ msgstr "Storleik" msgid "Modified" msgstr "Endra" -#: js/files.js:765 +#: js/files.js:763 msgid "1 folder" msgstr "1 mappe" -#: js/files.js:767 +#: js/files.js:765 msgid "{count} folders" msgstr "{count} mapper" -#: js/files.js:775 +#: js/files.js:773 msgid "1 file" msgstr "1 fil" -#: js/files.js:777 +#: js/files.js:775 msgid "{count} files" msgstr "{count} filer" @@ -329,19 +329,19 @@ msgstr "Skannar filer, ver venleg og vent." msgid "Current scanning" msgstr "Køyrande skanning" -#: templates/part.list.php:78 +#: templates/part.list.php:74 msgid "directory" msgstr "" -#: templates/part.list.php:80 +#: templates/part.list.php:76 msgid "directories" msgstr "" -#: templates/part.list.php:89 +#: templates/part.list.php:85 msgid "file" msgstr "" -#: templates/part.list.php:91 +#: templates/part.list.php:87 msgid "files" msgstr "" diff --git a/l10n/nn_NO/files_external.po b/l10n/nn_NO/files_external.po index 1bb375dea3..729a501481 100644 --- a/l10n/nn_NO/files_external.po +++ b/l10n/nn_NO/files_external.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: I Robot \n" "Language-Team: Norwegian Nynorsk (Norway) (http://www.transifex.com/projects/p/owncloud/language/nn_NO/)\n" "MIME-Version: 1.0\n" @@ -37,20 +37,20 @@ msgstr "" msgid "Error configuring Google Drive storage" msgstr "" -#: lib/config.php:431 +#: lib/config.php:447 msgid "" "Warning: \"smbclient\" is not installed. Mounting of CIFS/SMB shares " "is not possible. Please ask your system administrator to install it." msgstr "" -#: lib/config.php:434 +#: lib/config.php:450 msgid "" "Warning: The FTP support in PHP is not enabled or installed. Mounting" " of FTP shares is not possible. Please ask your system administrator to " "install it." msgstr "" -#: lib/config.php:437 +#: lib/config.php:453 msgid "" "Warning: The Curl support in PHP is not enabled or installed. " "Mounting of ownCloud / WebDAV or GoogleDrive is not possible. Please ask " diff --git a/l10n/nn_NO/files_sharing.po b/l10n/nn_NO/files_sharing.po index e3d7bd1cad..636d57bd68 100644 --- a/l10n/nn_NO/files_sharing.po +++ b/l10n/nn_NO/files_sharing.po @@ -8,8 +8,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:13+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: I Robot \n" "Language-Team: Norwegian Nynorsk (Norway) (http://www.transifex.com/projects/p/owncloud/language/nn_NO/)\n" "MIME-Version: 1.0\n" @@ -40,18 +40,18 @@ msgstr "%s delte mappa %s med deg" msgid "%s shared the file %s with you" msgstr "%s delte fila %s med deg" -#: templates/public.php:28 templates/public.php:86 +#: templates/public.php:28 templates/public.php:90 msgid "Download" msgstr "Last ned" -#: templates/public.php:44 +#: templates/public.php:45 templates/public.php:48 msgid "Upload" msgstr "Last opp" -#: templates/public.php:54 +#: templates/public.php:58 msgid "Cancel upload" msgstr "Avbryt opplasting" -#: templates/public.php:83 +#: templates/public.php:87 msgid "No preview available for" msgstr "Inga førehandsvising tilgjengeleg for" diff --git a/l10n/nn_NO/files_trashbin.po b/l10n/nn_NO/files_trashbin.po index 60d7ca60fa..d3de7e5092 100644 --- a/l10n/nn_NO/files_trashbin.po +++ b/l10n/nn_NO/files_trashbin.po @@ -8,8 +8,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: unhammer \n" "Language-Team: Norwegian Nynorsk (Norway) (http://www.transifex.com/projects/p/owncloud/language/nn_NO/)\n" "MIME-Version: 1.0\n" diff --git a/l10n/nn_NO/lib.po b/l10n/nn_NO/lib.po index 8764230281..3ca8a975f7 100644 --- a/l10n/nn_NO/lib.po +++ b/l10n/nn_NO/lib.po @@ -8,8 +8,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:13+0000\n" +"POT-Creation-Date: 2013-07-24 01:55-0400\n" +"PO-Revision-Date: 2013-07-24 05:55+0000\n" "Last-Translator: I Robot \n" "Language-Team: Norwegian Nynorsk (Norway) (http://www.transifex.com/projects/p/owncloud/language/nn_NO/)\n" "MIME-Version: 1.0\n" @@ -42,27 +42,43 @@ msgstr "Program" msgid "Admin" msgstr "Administrer" -#: defaults.php:33 -msgid "web services under your control" +#: app.php:844 +#, php-format +msgid "Failed to upgrade \"%s\"." msgstr "" -#: files.php:210 +#: defaults.php:33 +msgid "web services under your control" +msgstr "Vev tjenester under din kontroll" + +#: files.php:66 files.php:98 +#, php-format +msgid "cannot open \"%s\"" +msgstr "" + +#: files.php:226 msgid "ZIP download is turned off." msgstr "" -#: files.php:211 +#: files.php:227 msgid "Files need to be downloaded one by one." msgstr "" -#: files.php:212 files.php:245 +#: files.php:228 files.php:256 msgid "Back to Files" msgstr "" -#: files.php:242 +#: files.php:253 msgid "Selected files too large to generate zip file." msgstr "" -#: helper.php:236 +#: files.php:254 +msgid "" +"Download the files in smaller chunks, seperately or kindly ask your " +"administrator." +msgstr "" + +#: helper.php:235 msgid "couldn't be determined" msgstr "" @@ -171,77 +187,81 @@ msgstr "" msgid "PostgreSQL username and/or password not valid" msgstr "" -#: setup.php:42 +#: setup.php:28 msgid "Set an admin username." msgstr "" -#: setup.php:45 +#: setup.php:31 msgid "Set an admin password." msgstr "" -#: setup.php:198 +#: setup.php:184 msgid "" "Your web server is not yet properly setup to allow files synchronization " "because the WebDAV interface seems to be broken." msgstr "Tenaren din er ikkje enno rett innstilt til å tilby filsynkronisering sidan WebDAV-grensesnittet ser ut til å vera øydelagt." -#: setup.php:199 +#: setup.php:185 #, php-format msgid "Please double check the installation guides." msgstr "Ver vennleg og dobbeltsjekk installasjonsrettleiinga." -#: template.php:113 +#: template/functions.php:80 msgid "seconds ago" msgstr "sekund sidan" -#: template.php:114 +#: template/functions.php:81 msgid "1 minute ago" msgstr "1 minutt sidan" -#: template.php:115 +#: template/functions.php:82 #, php-format msgid "%d minutes ago" msgstr "" -#: template.php:116 +#: template/functions.php:83 msgid "1 hour ago" msgstr "1 time sidan" -#: template.php:117 +#: template/functions.php:84 #, php-format msgid "%d hours ago" msgstr "" -#: template.php:118 +#: template/functions.php:85 msgid "today" msgstr "i dag" -#: template.php:119 +#: template/functions.php:86 msgid "yesterday" msgstr "i går" -#: template.php:120 +#: template/functions.php:87 #, php-format msgid "%d days ago" msgstr "" -#: template.php:121 +#: template/functions.php:88 msgid "last month" msgstr "førre månad" -#: template.php:122 +#: template/functions.php:89 #, php-format msgid "%d months ago" msgstr "" -#: template.php:123 +#: template/functions.php:90 msgid "last year" msgstr "i fjor" -#: template.php:124 +#: template/functions.php:91 msgid "years ago" msgstr "år sidan" +#: template.php:296 +msgid "Caused by:" +msgstr "" + #: vcategories.php:188 vcategories.php:249 #, php-format msgid "Could not find category \"%s\"" diff --git a/l10n/nn_NO/settings.po b/l10n/nn_NO/settings.po index fee3ace1a7..11db1a7f9d 100644 --- a/l10n/nn_NO/settings.po +++ b/l10n/nn_NO/settings.po @@ -9,8 +9,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:55+0000\n" "Last-Translator: I Robot \n" "Language-Team: Norwegian Nynorsk (Norway) (http://www.transifex.com/projects/p/owncloud/language/nn_NO/)\n" "MIME-Version: 1.0\n" @@ -275,62 +275,71 @@ msgstr "Tillat lenkjer" msgid "Allow users to share items to the public with links" msgstr "La brukarar dela ting offentleg med lenkjer" -#: templates/admin.php:152 +#: templates/admin.php:153 +msgid "Allow public uploads" +msgstr "" + +#: templates/admin.php:154 +msgid "" +"Allow users to enable others to upload into their publicly shared folders" +msgstr "" + +#: templates/admin.php:162 msgid "Allow resharing" msgstr "Tillat vidaredeling" -#: templates/admin.php:153 +#: templates/admin.php:163 msgid "Allow users to share items shared with them again" msgstr "La brukarar vidaredela delte ting" -#: templates/admin.php:160 +#: templates/admin.php:170 msgid "Allow users to share with anyone" msgstr "La brukarar dela med kven som helst" -#: templates/admin.php:163 +#: templates/admin.php:173 msgid "Allow users to only share with users in their groups" msgstr "La brukarar dela berre med brukarar i deira grupper" -#: templates/admin.php:170 +#: templates/admin.php:180 msgid "Security" msgstr "Tryggleik" -#: templates/admin.php:183 +#: templates/admin.php:193 msgid "Enforce HTTPS" msgstr "Krev HTTPS" -#: templates/admin.php:184 +#: templates/admin.php:194 msgid "" "Enforces the clients to connect to ownCloud via an encrypted connection." msgstr "Krev at klientar koplar til ownCloud med ei kryptert tilkopling." -#: templates/admin.php:187 +#: templates/admin.php:197 msgid "" "Please connect to this ownCloud instance via HTTPS to enable or disable the " "SSL enforcement." msgstr "Ver venleg og kopla denne ownCloud-instansen til via HTTPS for å slå av/på SSL-handhevinga." -#: templates/admin.php:197 +#: templates/admin.php:207 msgid "Log" msgstr "Logg" -#: templates/admin.php:198 +#: templates/admin.php:208 msgid "Log level" msgstr "Log nivå" -#: templates/admin.php:229 +#: templates/admin.php:239 msgid "More" msgstr "Meir" -#: templates/admin.php:230 +#: templates/admin.php:240 msgid "Less" msgstr "Mindre" -#: templates/admin.php:236 templates/personal.php:116 +#: templates/admin.php:246 templates/personal.php:116 msgid "Version" msgstr "Utgåve" -#: templates/admin.php:240 templates/personal.php:119 +#: templates/admin.php:250 templates/personal.php:119 msgid "" "Developed by the ownCloud community, the access your Files via WebDAV" +msgstr "" #: templates/users.php:21 msgid "Login Name" diff --git a/l10n/nn_NO/user_ldap.po b/l10n/nn_NO/user_ldap.po index 7906232c66..ba41ca0f2f 100644 --- a/l10n/nn_NO/user_ldap.po +++ b/l10n/nn_NO/user_ldap.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: I Robot \n" "Language-Team: Norwegian Nynorsk (Norway) (http://www.transifex.com/projects/p/owncloud/language/nn_NO/)\n" "MIME-Version: 1.0\n" diff --git a/l10n/oc/core.po b/l10n/oc/core.po index fb6d956410..3a1b19996f 100644 --- a/l10n/oc/core.po +++ b/l10n/oc/core.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:12+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:04+0000\n" "Last-Translator: I Robot \n" "Language-Team: Occitan (post 1500) (http://www.transifex.com/projects/p/owncloud/language/oc/)\n" "MIME-Version: 1.0\n" @@ -137,59 +137,59 @@ msgstr "Novembre" msgid "December" msgstr "Decembre" -#: js/js.js:289 +#: js/js.js:293 msgid "Settings" msgstr "Configuracion" -#: js/js.js:721 +#: js/js.js:715 msgid "seconds ago" msgstr "segonda a" -#: js/js.js:722 +#: js/js.js:716 msgid "1 minute ago" msgstr "1 minuta a" -#: js/js.js:723 +#: js/js.js:717 msgid "{minutes} minutes ago" msgstr "" -#: js/js.js:724 +#: js/js.js:718 msgid "1 hour ago" msgstr "" -#: js/js.js:725 +#: js/js.js:719 msgid "{hours} hours ago" msgstr "" -#: js/js.js:726 +#: js/js.js:720 msgid "today" msgstr "uèi" -#: js/js.js:727 +#: js/js.js:721 msgid "yesterday" msgstr "ièr" -#: js/js.js:728 +#: js/js.js:722 msgid "{days} days ago" msgstr "" -#: js/js.js:729 +#: js/js.js:723 msgid "last month" msgstr "mes passat" -#: js/js.js:730 +#: js/js.js:724 msgid "{months} months ago" msgstr "" -#: js/js.js:731 +#: js/js.js:725 msgid "months ago" msgstr "meses a" -#: js/js.js:732 +#: js/js.js:726 msgid "last year" msgstr "an passat" -#: js/js.js:733 +#: js/js.js:727 msgid "years ago" msgstr "ans a" @@ -225,8 +225,8 @@ msgstr "" #: js/oc-vcategories.js:14 js/oc-vcategories.js:80 js/oc-vcategories.js:95 #: js/oc-vcategories.js:110 js/oc-vcategories.js:125 js/oc-vcategories.js:136 #: js/oc-vcategories.js:172 js/oc-vcategories.js:189 js/oc-vcategories.js:195 -#: js/oc-vcategories.js:199 js/share.js:136 js/share.js:143 js/share.js:618 -#: js/share.js:630 +#: js/oc-vcategories.js:199 js/share.js:136 js/share.js:143 js/share.js:625 +#: js/share.js:637 msgid "Error" msgstr "Error" @@ -246,7 +246,7 @@ msgstr "" msgid "Share" msgstr "Parteja" -#: js/share.js:125 js/share.js:658 +#: js/share.js:125 js/share.js:665 msgid "Error while sharing" msgstr "Error al partejar" @@ -266,114 +266,114 @@ msgstr "" msgid "Shared with you by {owner}" msgstr "" -#: js/share.js:172 +#: js/share.js:177 msgid "Share with" msgstr "Parteja amb" -#: js/share.js:177 +#: js/share.js:182 msgid "Share with link" msgstr "Parteja amb lo ligam" -#: js/share.js:180 +#: js/share.js:185 msgid "Password protect" msgstr "Parat per senhal" -#: js/share.js:182 templates/installation.php:54 templates/login.php:26 +#: js/share.js:187 templates/installation.php:54 templates/login.php:26 msgid "Password" msgstr "Senhal" -#: js/share.js:186 +#: js/share.js:192 msgid "Allow Public Upload" msgstr "" -#: js/share.js:189 +#: js/share.js:196 msgid "Email link to person" msgstr "" -#: js/share.js:190 +#: js/share.js:197 msgid "Send" msgstr "" -#: js/share.js:195 +#: js/share.js:202 msgid "Set expiration date" msgstr "Met la data d'expiracion" -#: js/share.js:196 +#: js/share.js:203 msgid "Expiration date" msgstr "Data d'expiracion" -#: js/share.js:228 +#: js/share.js:235 msgid "Share via email:" msgstr "Parteja tras corrièl :" -#: js/share.js:230 +#: js/share.js:237 msgid "No people found" msgstr "Deguns trobat" -#: js/share.js:268 +#: js/share.js:275 msgid "Resharing is not allowed" msgstr "Tornar partejar es pas permis" -#: js/share.js:304 +#: js/share.js:311 msgid "Shared in {item} with {user}" msgstr "" -#: js/share.js:325 +#: js/share.js:332 msgid "Unshare" msgstr "Pas partejador" -#: js/share.js:337 +#: js/share.js:344 msgid "can edit" msgstr "pòt modificar" -#: js/share.js:339 +#: js/share.js:346 msgid "access control" msgstr "Contraròtle d'acces" -#: js/share.js:342 +#: js/share.js:349 msgid "create" msgstr "crea" -#: js/share.js:345 +#: js/share.js:352 msgid "update" msgstr "met a jorn" -#: js/share.js:348 +#: js/share.js:355 msgid "delete" msgstr "escafa" -#: js/share.js:351 +#: js/share.js:358 msgid "share" msgstr "parteja" -#: js/share.js:385 js/share.js:605 +#: js/share.js:392 js/share.js:612 msgid "Password protected" msgstr "Parat per senhal" -#: js/share.js:618 +#: js/share.js:625 msgid "Error unsetting expiration date" msgstr "Error al metre de la data d'expiracion" -#: js/share.js:630 +#: js/share.js:637 msgid "Error setting expiration date" msgstr "Error setting expiration date" -#: js/share.js:645 +#: js/share.js:652 msgid "Sending ..." msgstr "" -#: js/share.js:656 +#: js/share.js:663 msgid "Email sent" msgstr "" -#: js/update.js:14 +#: js/update.js:17 msgid "" "The update was unsuccessful. Please report this issue to the ownCloud " "community." msgstr "" -#: js/update.js:18 +#: js/update.js:21 msgid "The update was successful. Redirecting you to ownCloud now." msgstr "" @@ -465,7 +465,7 @@ msgstr "Acces enebit" msgid "Cloud not found" msgstr "Nívol pas trobada" -#: templates/altmail.php:2 +#: templates/altmail.php:4 #, php-format msgid "" "Hey there,\n" @@ -476,10 +476,6 @@ msgid "" "Cheers!" msgstr "" -#: templates/altmail.php:7 templates/mail.php:24 -msgid "web services under your control" -msgstr "Services web jos ton contraròtle" - #: templates/edit_categories_dialog.php:4 msgid "Edit categories" msgstr "Edita categorias" @@ -611,7 +607,7 @@ msgstr "Dintrada" msgid "Alternative Logins" msgstr "" -#: templates/mail.php:15 +#: templates/mail.php:16 #, php-format msgid "" "Hey there,

    just letting you know that %s shared »%s« with you.
    \n" "Language-Team: Occitan (post 1500) (http://www.transifex.com/projects/p/owncloud/language/oc/)\n" "MIME-Version: 1.0\n" @@ -27,54 +27,54 @@ msgstr "" msgid "Could not move %s" msgstr "" -#: ajax/upload.php:16 ajax/upload.php:39 +#: ajax/upload.php:16 ajax/upload.php:45 msgid "Unable to set upload directory." msgstr "" -#: ajax/upload.php:23 +#: ajax/upload.php:22 msgid "Invalid Token" msgstr "" -#: ajax/upload.php:55 +#: ajax/upload.php:59 msgid "No file was uploaded. Unknown error" msgstr "" -#: ajax/upload.php:62 +#: ajax/upload.php:66 msgid "There is no error, the file uploaded with success" msgstr "Amontcargament capitat, pas d'errors" -#: ajax/upload.php:63 +#: ajax/upload.php:67 msgid "" "The uploaded file exceeds the upload_max_filesize directive in php.ini: " msgstr "" -#: ajax/upload.php:65 +#: ajax/upload.php:69 msgid "" "The uploaded file exceeds the MAX_FILE_SIZE directive that was specified in " "the HTML form" msgstr "Lo fichièr amontcargat es mai gròs que la directiva «MAX_FILE_SIZE» especifiada dins lo formulari HTML" -#: ajax/upload.php:66 +#: ajax/upload.php:70 msgid "The uploaded file was only partially uploaded" msgstr "Lo fichièr foguèt pas completament amontcargat" -#: ajax/upload.php:67 +#: ajax/upload.php:71 msgid "No file was uploaded" msgstr "Cap de fichièrs son estats amontcargats" -#: ajax/upload.php:68 +#: ajax/upload.php:72 msgid "Missing a temporary folder" msgstr "Un dorsièr temporari manca" -#: ajax/upload.php:69 +#: ajax/upload.php:73 msgid "Failed to write to disk" msgstr "L'escriptura sul disc a fracassat" -#: ajax/upload.php:87 +#: ajax/upload.php:91 msgid "Not enough storage available" msgstr "" -#: ajax/upload.php:119 +#: ajax/upload.php:123 msgid "Invalid directory." msgstr "" @@ -128,43 +128,43 @@ msgstr "Escafa" msgid "Rename" msgstr "Torna nomenar" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:464 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:465 msgid "Pending" msgstr "Al esperar" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "{new_name} already exists" msgstr "" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "replace" msgstr "remplaça" -#: js/filelist.js:302 +#: js/filelist.js:303 msgid "suggest name" msgstr "nom prepausat" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "cancel" msgstr "anulla" -#: js/filelist.js:349 +#: js/filelist.js:350 msgid "replaced {new_name} with {old_name}" msgstr "" -#: js/filelist.js:349 +#: js/filelist.js:350 msgid "undo" msgstr "defar" -#: js/filelist.js:374 +#: js/filelist.js:375 msgid "perform delete operation" msgstr "" -#: js/filelist.js:456 +#: js/filelist.js:457 msgid "1 file uploading" msgstr "1 fichièr al amontcargar" -#: js/filelist.js:459 js/filelist.js:517 +#: js/filelist.js:460 js/filelist.js:518 msgid "files uploading" msgstr "fichièrs al amontcargar" @@ -212,19 +212,19 @@ msgstr "Talha" msgid "Modified" msgstr "Modificat" -#: js/files.js:765 +#: js/files.js:763 msgid "1 folder" msgstr "" -#: js/files.js:767 +#: js/files.js:765 msgid "{count} folders" msgstr "" -#: js/files.js:775 +#: js/files.js:773 msgid "1 file" msgstr "" -#: js/files.js:777 +#: js/files.js:775 msgid "{count} files" msgstr "" @@ -327,19 +327,19 @@ msgstr "Los fiichièrs son a èsser explorats, " msgid "Current scanning" msgstr "Exploracion en cors" -#: templates/part.list.php:78 +#: templates/part.list.php:74 msgid "directory" msgstr "" -#: templates/part.list.php:80 +#: templates/part.list.php:76 msgid "directories" msgstr "" -#: templates/part.list.php:89 +#: templates/part.list.php:85 msgid "file" msgstr "fichièr" -#: templates/part.list.php:91 +#: templates/part.list.php:87 msgid "files" msgstr "fichièrs" diff --git a/l10n/oc/files_external.po b/l10n/oc/files_external.po index 3ab7dadb48..b899bcf9b7 100644 --- a/l10n/oc/files_external.po +++ b/l10n/oc/files_external.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: I Robot \n" "Language-Team: Occitan (post 1500) (http://www.transifex.com/projects/p/owncloud/language/oc/)\n" "MIME-Version: 1.0\n" @@ -37,20 +37,20 @@ msgstr "" msgid "Error configuring Google Drive storage" msgstr "" -#: lib/config.php:431 +#: lib/config.php:447 msgid "" "Warning: \"smbclient\" is not installed. Mounting of CIFS/SMB shares " "is not possible. Please ask your system administrator to install it." msgstr "" -#: lib/config.php:434 +#: lib/config.php:450 msgid "" "Warning: The FTP support in PHP is not enabled or installed. Mounting" " of FTP shares is not possible. Please ask your system administrator to " "install it." msgstr "" -#: lib/config.php:437 +#: lib/config.php:453 msgid "" "Warning: The Curl support in PHP is not enabled or installed. " "Mounting of ownCloud / WebDAV or GoogleDrive is not possible. Please ask " diff --git a/l10n/oc/files_sharing.po b/l10n/oc/files_sharing.po index 648e45ac3f..aff7086e91 100644 --- a/l10n/oc/files_sharing.po +++ b/l10n/oc/files_sharing.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:13+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: I Robot \n" "Language-Team: Occitan (post 1500) (http://www.transifex.com/projects/p/owncloud/language/oc/)\n" "MIME-Version: 1.0\n" @@ -39,18 +39,18 @@ msgstr "" msgid "%s shared the file %s with you" msgstr "" -#: templates/public.php:28 templates/public.php:86 +#: templates/public.php:28 templates/public.php:90 msgid "Download" msgstr "Avalcarga" -#: templates/public.php:44 +#: templates/public.php:45 templates/public.php:48 msgid "Upload" msgstr "Amontcarga" -#: templates/public.php:54 +#: templates/public.php:58 msgid "Cancel upload" msgstr " Anulla l'amontcargar" -#: templates/public.php:83 +#: templates/public.php:87 msgid "No preview available for" msgstr "" diff --git a/l10n/oc/files_trashbin.po b/l10n/oc/files_trashbin.po index 93897df411..e426248ab7 100644 --- a/l10n/oc/files_trashbin.po +++ b/l10n/oc/files_trashbin.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: I Robot \n" "Language-Team: Occitan (post 1500) (http://www.transifex.com/projects/p/owncloud/language/oc/)\n" "MIME-Version: 1.0\n" diff --git a/l10n/oc/lib.po b/l10n/oc/lib.po index 0e80821a6b..9fd1bfbc34 100644 --- a/l10n/oc/lib.po +++ b/l10n/oc/lib.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:13+0000\n" +"POT-Creation-Date: 2013-07-24 01:55-0400\n" +"PO-Revision-Date: 2013-07-24 05:55+0000\n" "Last-Translator: I Robot \n" "Language-Team: Occitan (post 1500) (http://www.transifex.com/projects/p/owncloud/language/oc/)\n" "MIME-Version: 1.0\n" @@ -41,27 +41,43 @@ msgstr "Apps" msgid "Admin" msgstr "Admin" -#: defaults.php:33 -msgid "web services under your control" +#: app.php:844 +#, php-format +msgid "Failed to upgrade \"%s\"." msgstr "" -#: files.php:210 +#: defaults.php:33 +msgid "web services under your control" +msgstr "Services web jos ton contraròtle" + +#: files.php:66 files.php:98 +#, php-format +msgid "cannot open \"%s\"" +msgstr "" + +#: files.php:226 msgid "ZIP download is turned off." msgstr "Avalcargar los ZIP es inactiu." -#: files.php:211 +#: files.php:227 msgid "Files need to be downloaded one by one." msgstr "Los fichièrs devan èsser avalcargats un per un." -#: files.php:212 files.php:245 +#: files.php:228 files.php:256 msgid "Back to Files" msgstr "Torna cap als fichièrs" -#: files.php:242 +#: files.php:253 msgid "Selected files too large to generate zip file." msgstr "" -#: helper.php:236 +#: files.php:254 +msgid "" +"Download the files in smaller chunks, seperately or kindly ask your " +"administrator." +msgstr "" + +#: helper.php:235 msgid "couldn't be determined" msgstr "" @@ -170,77 +186,81 @@ msgstr "" msgid "PostgreSQL username and/or password not valid" msgstr "" -#: setup.php:42 +#: setup.php:28 msgid "Set an admin username." msgstr "" -#: setup.php:45 +#: setup.php:31 msgid "Set an admin password." msgstr "" -#: setup.php:198 +#: setup.php:184 msgid "" "Your web server is not yet properly setup to allow files synchronization " "because the WebDAV interface seems to be broken." msgstr "" -#: setup.php:199 +#: setup.php:185 #, php-format msgid "Please double check the installation guides." msgstr "" -#: template.php:113 +#: template/functions.php:80 msgid "seconds ago" msgstr "segonda a" -#: template.php:114 +#: template/functions.php:81 msgid "1 minute ago" msgstr "1 minuta a" -#: template.php:115 +#: template/functions.php:82 #, php-format msgid "%d minutes ago" msgstr "%d minutas a" -#: template.php:116 +#: template/functions.php:83 msgid "1 hour ago" msgstr "" -#: template.php:117 +#: template/functions.php:84 #, php-format msgid "%d hours ago" msgstr "" -#: template.php:118 +#: template/functions.php:85 msgid "today" msgstr "uèi" -#: template.php:119 +#: template/functions.php:86 msgid "yesterday" msgstr "ièr" -#: template.php:120 +#: template/functions.php:87 #, php-format msgid "%d days ago" msgstr "%d jorns a" -#: template.php:121 +#: template/functions.php:88 msgid "last month" msgstr "mes passat" -#: template.php:122 +#: template/functions.php:89 #, php-format msgid "%d months ago" msgstr "" -#: template.php:123 +#: template/functions.php:90 msgid "last year" msgstr "an passat" -#: template.php:124 +#: template/functions.php:91 msgid "years ago" msgstr "ans a" +#: template.php:296 +msgid "Caused by:" +msgstr "" + #: vcategories.php:188 vcategories.php:249 #, php-format msgid "Could not find category \"%s\"" diff --git a/l10n/oc/settings.po b/l10n/oc/settings.po index e0668bd3f6..c998bc8b55 100644 --- a/l10n/oc/settings.po +++ b/l10n/oc/settings.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:55+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:55+0000\n" "Last-Translator: I Robot \n" "Language-Team: Occitan (post 1500) (http://www.transifex.com/projects/p/owncloud/language/oc/)\n" "MIME-Version: 1.0\n" @@ -273,62 +273,71 @@ msgstr "" msgid "Allow users to share items to the public with links" msgstr "" -#: templates/admin.php:152 +#: templates/admin.php:153 +msgid "Allow public uploads" +msgstr "" + +#: templates/admin.php:154 +msgid "" +"Allow users to enable others to upload into their publicly shared folders" +msgstr "" + +#: templates/admin.php:162 msgid "Allow resharing" msgstr "" -#: templates/admin.php:153 +#: templates/admin.php:163 msgid "Allow users to share items shared with them again" msgstr "" -#: templates/admin.php:160 +#: templates/admin.php:170 msgid "Allow users to share with anyone" msgstr "" -#: templates/admin.php:163 +#: templates/admin.php:173 msgid "Allow users to only share with users in their groups" msgstr "" -#: templates/admin.php:170 +#: templates/admin.php:180 msgid "Security" msgstr "" -#: templates/admin.php:183 +#: templates/admin.php:193 msgid "Enforce HTTPS" msgstr "" -#: templates/admin.php:184 +#: templates/admin.php:194 msgid "" "Enforces the clients to connect to ownCloud via an encrypted connection." msgstr "" -#: templates/admin.php:187 +#: templates/admin.php:197 msgid "" "Please connect to this ownCloud instance via HTTPS to enable or disable the " "SSL enforcement." msgstr "" -#: templates/admin.php:197 +#: templates/admin.php:207 msgid "Log" msgstr "Jornal" -#: templates/admin.php:198 +#: templates/admin.php:208 msgid "Log level" msgstr "" -#: templates/admin.php:229 +#: templates/admin.php:239 msgid "More" msgstr "Mai d'aquò" -#: templates/admin.php:230 +#: templates/admin.php:240 msgid "Less" msgstr "" -#: templates/admin.php:236 templates/personal.php:116 +#: templates/admin.php:246 templates/personal.php:116 msgid "Version" msgstr "" -#: templates/admin.php:240 templates/personal.php:119 +#: templates/admin.php:250 templates/personal.php:119 msgid "" "Developed by the ownCloud community, the access your Files via WebDAV" msgstr "" #: templates/users.php:21 diff --git a/l10n/oc/user_ldap.po b/l10n/oc/user_ldap.po index bbc7fccc22..f65aa1d79f 100644 --- a/l10n/oc/user_ldap.po +++ b/l10n/oc/user_ldap.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: I Robot \n" "Language-Team: Occitan (post 1500) (http://www.transifex.com/projects/p/owncloud/language/oc/)\n" "MIME-Version: 1.0\n" diff --git a/l10n/pl/core.po b/l10n/pl/core.po index 87a46dd01b..e50c775b7b 100644 --- a/l10n/pl/core.po +++ b/l10n/pl/core.po @@ -9,9 +9,9 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:12+0000\n" -"Last-Translator: Cyryl Sochacki \n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:04+0000\n" +"Last-Translator: I Robot \n" "Language-Team: Polish (http://www.transifex.com/projects/p/owncloud/language/pl/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -139,59 +139,59 @@ msgstr "Listopad" msgid "December" msgstr "Grudzień" -#: js/js.js:289 +#: js/js.js:293 msgid "Settings" msgstr "Ustawienia" -#: js/js.js:721 +#: js/js.js:715 msgid "seconds ago" msgstr "sekund temu" -#: js/js.js:722 +#: js/js.js:716 msgid "1 minute ago" msgstr "1 minutę temu" -#: js/js.js:723 +#: js/js.js:717 msgid "{minutes} minutes ago" msgstr "{minutes} minut temu" -#: js/js.js:724 +#: js/js.js:718 msgid "1 hour ago" msgstr "1 godzinę temu" -#: js/js.js:725 +#: js/js.js:719 msgid "{hours} hours ago" msgstr "{hours} godzin temu" -#: js/js.js:726 +#: js/js.js:720 msgid "today" msgstr "dziś" -#: js/js.js:727 +#: js/js.js:721 msgid "yesterday" msgstr "wczoraj" -#: js/js.js:728 +#: js/js.js:722 msgid "{days} days ago" msgstr "{days} dni temu" -#: js/js.js:729 +#: js/js.js:723 msgid "last month" msgstr "w zeszłym miesiącu" -#: js/js.js:730 +#: js/js.js:724 msgid "{months} months ago" msgstr "{months} miesięcy temu" -#: js/js.js:731 +#: js/js.js:725 msgid "months ago" msgstr "miesięcy temu" -#: js/js.js:732 +#: js/js.js:726 msgid "last year" msgstr "w zeszłym roku" -#: js/js.js:733 +#: js/js.js:727 msgid "years ago" msgstr "lat temu" @@ -227,8 +227,8 @@ msgstr "Nie określono typu obiektu." #: js/oc-vcategories.js:14 js/oc-vcategories.js:80 js/oc-vcategories.js:95 #: js/oc-vcategories.js:110 js/oc-vcategories.js:125 js/oc-vcategories.js:136 #: js/oc-vcategories.js:172 js/oc-vcategories.js:189 js/oc-vcategories.js:195 -#: js/oc-vcategories.js:199 js/share.js:136 js/share.js:143 js/share.js:618 -#: js/share.js:630 +#: js/oc-vcategories.js:199 js/share.js:136 js/share.js:143 js/share.js:625 +#: js/share.js:637 msgid "Error" msgstr "Błąd" @@ -248,7 +248,7 @@ msgstr "Udostępniono" msgid "Share" msgstr "Udostępnij" -#: js/share.js:125 js/share.js:658 +#: js/share.js:125 js/share.js:665 msgid "Error while sharing" msgstr "Błąd podczas współdzielenia" @@ -268,114 +268,114 @@ msgstr "Udostępnione tobie i grupie {group} przez {owner}" msgid "Shared with you by {owner}" msgstr "Udostępnione tobie przez {owner}" -#: js/share.js:172 +#: js/share.js:177 msgid "Share with" msgstr "Współdziel z" -#: js/share.js:177 +#: js/share.js:182 msgid "Share with link" msgstr "Współdziel wraz z odnośnikiem" -#: js/share.js:180 +#: js/share.js:185 msgid "Password protect" msgstr "Zabezpiecz hasłem" -#: js/share.js:182 templates/installation.php:54 templates/login.php:26 +#: js/share.js:187 templates/installation.php:54 templates/login.php:26 msgid "Password" msgstr "Hasło" -#: js/share.js:186 +#: js/share.js:192 msgid "Allow Public Upload" msgstr "Pozwól na publiczne wczytywanie" -#: js/share.js:189 +#: js/share.js:196 msgid "Email link to person" msgstr "Wyślij osobie odnośnik poprzez e-mail" -#: js/share.js:190 +#: js/share.js:197 msgid "Send" msgstr "Wyślij" -#: js/share.js:195 +#: js/share.js:202 msgid "Set expiration date" msgstr "Ustaw datę wygaśnięcia" -#: js/share.js:196 +#: js/share.js:203 msgid "Expiration date" msgstr "Data wygaśnięcia" -#: js/share.js:228 +#: js/share.js:235 msgid "Share via email:" msgstr "Współdziel poprzez e-mail:" -#: js/share.js:230 +#: js/share.js:237 msgid "No people found" msgstr "Nie znaleziono ludzi" -#: js/share.js:268 +#: js/share.js:275 msgid "Resharing is not allowed" msgstr "Współdzielenie nie jest możliwe" -#: js/share.js:304 +#: js/share.js:311 msgid "Shared in {item} with {user}" msgstr "Współdzielone w {item} z {user}" -#: js/share.js:325 +#: js/share.js:332 msgid "Unshare" msgstr "Zatrzymaj współdzielenie" -#: js/share.js:337 +#: js/share.js:344 msgid "can edit" msgstr "może edytować" -#: js/share.js:339 +#: js/share.js:346 msgid "access control" msgstr "kontrola dostępu" -#: js/share.js:342 +#: js/share.js:349 msgid "create" msgstr "utwórz" -#: js/share.js:345 +#: js/share.js:352 msgid "update" msgstr "uaktualnij" -#: js/share.js:348 +#: js/share.js:355 msgid "delete" msgstr "usuń" -#: js/share.js:351 +#: js/share.js:358 msgid "share" msgstr "współdziel" -#: js/share.js:385 js/share.js:605 +#: js/share.js:392 js/share.js:612 msgid "Password protected" msgstr "Zabezpieczone hasłem" -#: js/share.js:618 +#: js/share.js:625 msgid "Error unsetting expiration date" msgstr "Błąd podczas usuwania daty wygaśnięcia" -#: js/share.js:630 +#: js/share.js:637 msgid "Error setting expiration date" msgstr "Błąd podczas ustawiania daty wygaśnięcia" -#: js/share.js:645 +#: js/share.js:652 msgid "Sending ..." msgstr "Wysyłanie..." -#: js/share.js:656 +#: js/share.js:663 msgid "Email sent" msgstr "E-mail wysłany" -#: js/update.js:14 +#: js/update.js:17 msgid "" "The update was unsuccessful. Please report this issue to the ownCloud " "community." msgstr "Aktualizacja zakończyła się niepowodzeniem. Zgłoś ten problem spoleczności ownCloud." -#: js/update.js:18 +#: js/update.js:21 msgid "The update was successful. Redirecting you to ownCloud now." msgstr "Aktualizacji zakończyła się powodzeniem. Przekierowuję do ownCloud." @@ -467,7 +467,7 @@ msgstr "Dostęp zabroniony" msgid "Cloud not found" msgstr "Nie odnaleziono chmury" -#: templates/altmail.php:2 +#: templates/altmail.php:4 #, php-format msgid "" "Hey there,\n" @@ -478,10 +478,6 @@ msgid "" "Cheers!" msgstr "" -#: templates/altmail.php:7 templates/mail.php:24 -msgid "web services under your control" -msgstr "Kontrolowane serwisy" - #: templates/edit_categories_dialog.php:4 msgid "Edit categories" msgstr "Edytuj kategorie" @@ -613,7 +609,7 @@ msgstr "Zaloguj" msgid "Alternative Logins" msgstr "Alternatywne loginy" -#: templates/mail.php:15 +#: templates/mail.php:16 #, php-format msgid "" "Hey there,

    just letting you know that %s shared »%s« with you.
    \n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:04+0000\n" +"Last-Translator: I Robot \n" "Language-Team: Polish (http://www.transifex.com/projects/p/owncloud/language/pl/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -29,54 +29,54 @@ msgstr "Nie można było przenieść %s - Plik o takiej nazwie już istnieje" msgid "Could not move %s" msgstr "Nie można było przenieść %s" -#: ajax/upload.php:16 ajax/upload.php:39 +#: ajax/upload.php:16 ajax/upload.php:45 msgid "Unable to set upload directory." msgstr "Nie można ustawić katalog wczytywania." -#: ajax/upload.php:23 +#: ajax/upload.php:22 msgid "Invalid Token" msgstr "Nieprawidłowy Token" -#: ajax/upload.php:55 +#: ajax/upload.php:59 msgid "No file was uploaded. Unknown error" msgstr "Żaden plik nie został załadowany. Nieznany błąd" -#: ajax/upload.php:62 +#: ajax/upload.php:66 msgid "There is no error, the file uploaded with success" msgstr "Nie było błędów, plik wysłano poprawnie." -#: ajax/upload.php:63 +#: ajax/upload.php:67 msgid "" "The uploaded file exceeds the upload_max_filesize directive in php.ini: " msgstr "Wgrany plik przekracza wartość upload_max_filesize zdefiniowaną w php.ini: " -#: ajax/upload.php:65 +#: ajax/upload.php:69 msgid "" "The uploaded file exceeds the MAX_FILE_SIZE directive that was specified in " "the HTML form" msgstr "Wysłany plik przekracza wielkość dyrektywy MAX_FILE_SIZE określonej w formularzu HTML" -#: ajax/upload.php:66 +#: ajax/upload.php:70 msgid "The uploaded file was only partially uploaded" msgstr "Załadowany plik został wysłany tylko częściowo." -#: ajax/upload.php:67 +#: ajax/upload.php:71 msgid "No file was uploaded" msgstr "Nie wysłano żadnego pliku" -#: ajax/upload.php:68 +#: ajax/upload.php:72 msgid "Missing a temporary folder" msgstr "Brak folderu tymczasowego" -#: ajax/upload.php:69 +#: ajax/upload.php:73 msgid "Failed to write to disk" msgstr "Błąd zapisu na dysk" -#: ajax/upload.php:87 +#: ajax/upload.php:91 msgid "Not enough storage available" msgstr "Za mało dostępnego miejsca" -#: ajax/upload.php:119 +#: ajax/upload.php:123 msgid "Invalid directory." msgstr "Zła ścieżka." @@ -130,43 +130,43 @@ msgstr "Usuń" msgid "Rename" msgstr "Zmień nazwę" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:464 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:465 msgid "Pending" msgstr "Oczekujące" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "{new_name} already exists" msgstr "{new_name} już istnieje" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "replace" msgstr "zastąp" -#: js/filelist.js:302 +#: js/filelist.js:303 msgid "suggest name" msgstr "zasugeruj nazwę" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "cancel" msgstr "anuluj" -#: js/filelist.js:349 +#: js/filelist.js:350 msgid "replaced {new_name} with {old_name}" msgstr "zastąpiono {new_name} przez {old_name}" -#: js/filelist.js:349 +#: js/filelist.js:350 msgid "undo" msgstr "cofnij" -#: js/filelist.js:374 +#: js/filelist.js:375 msgid "perform delete operation" msgstr "wykonaj operację usunięcia" -#: js/filelist.js:456 +#: js/filelist.js:457 msgid "1 file uploading" msgstr "1 plik wczytywany" -#: js/filelist.js:459 js/filelist.js:517 +#: js/filelist.js:460 js/filelist.js:518 msgid "files uploading" msgstr "pliki wczytane" @@ -214,19 +214,19 @@ msgstr "Rozmiar" msgid "Modified" msgstr "Modyfikacja" -#: js/files.js:765 +#: js/files.js:763 msgid "1 folder" msgstr "1 folder" -#: js/files.js:767 +#: js/files.js:765 msgid "{count} folders" msgstr "Ilość folderów: {count}" -#: js/files.js:775 +#: js/files.js:773 msgid "1 file" msgstr "1 plik" -#: js/files.js:777 +#: js/files.js:775 msgid "{count} files" msgstr "Ilość plików: {count}" @@ -329,19 +329,19 @@ msgstr "Skanowanie plików, proszę czekać." msgid "Current scanning" msgstr "Aktualnie skanowane" -#: templates/part.list.php:78 +#: templates/part.list.php:74 msgid "directory" msgstr "Katalog" -#: templates/part.list.php:80 +#: templates/part.list.php:76 msgid "directories" msgstr "Katalogi" -#: templates/part.list.php:89 +#: templates/part.list.php:85 msgid "file" msgstr "plik" -#: templates/part.list.php:91 +#: templates/part.list.php:87 msgid "files" msgstr "pliki" diff --git a/l10n/pl/files_external.po b/l10n/pl/files_external.po index fa243c4f0c..759e4d7247 100644 --- a/l10n/pl/files_external.po +++ b/l10n/pl/files_external.po @@ -8,8 +8,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: Cyryl Sochacki \n" "Language-Team: Polish (http://www.transifex.com/projects/p/owncloud/language/pl/)\n" "MIME-Version: 1.0\n" @@ -38,20 +38,20 @@ msgstr "Proszę podać prawidłowy klucz aplikacji Dropbox i klucz sekretny." msgid "Error configuring Google Drive storage" msgstr "Wystąpił błąd podczas konfigurowania zasobu Google Drive" -#: lib/config.php:431 +#: lib/config.php:447 msgid "" "Warning: \"smbclient\" is not installed. Mounting of CIFS/SMB shares " "is not possible. Please ask your system administrator to install it." msgstr "Ostrzeżenie: \"smbclient\" nie jest zainstalowany. Zamontowanie katalogów CIFS/SMB nie jest możliwe. Skontaktuj sie z administratorem w celu zainstalowania." -#: lib/config.php:434 +#: lib/config.php:450 msgid "" "Warning: The FTP support in PHP is not enabled or installed. Mounting" " of FTP shares is not possible. Please ask your system administrator to " "install it." msgstr "Ostrzeżenie: Wsparcie dla FTP w PHP nie jest zainstalowane lub włączone. Skontaktuj sie z administratorem w celu zainstalowania lub włączenia go." -#: lib/config.php:437 +#: lib/config.php:453 msgid "" "Warning: The Curl support in PHP is not enabled or installed. " "Mounting of ownCloud / WebDAV or GoogleDrive is not possible. Please ask " diff --git a/l10n/pl/files_sharing.po b/l10n/pl/files_sharing.po index 51fd0ff3e1..fd067dfc86 100644 --- a/l10n/pl/files_sharing.po +++ b/l10n/pl/files_sharing.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:13+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: I Robot \n" "Language-Team: Polish (http://www.transifex.com/projects/p/owncloud/language/pl/)\n" "MIME-Version: 1.0\n" @@ -39,18 +39,18 @@ msgstr "%s współdzieli folder z tobą %s" msgid "%s shared the file %s with you" msgstr "%s współdzieli z tobą plik %s" -#: templates/public.php:28 templates/public.php:86 +#: templates/public.php:28 templates/public.php:90 msgid "Download" msgstr "Pobierz" -#: templates/public.php:44 +#: templates/public.php:45 templates/public.php:48 msgid "Upload" msgstr "Wyślij" -#: templates/public.php:54 +#: templates/public.php:58 msgid "Cancel upload" msgstr "Anuluj wysyłanie" -#: templates/public.php:83 +#: templates/public.php:87 msgid "No preview available for" msgstr "Podgląd nie jest dostępny dla" diff --git a/l10n/pl/files_trashbin.po b/l10n/pl/files_trashbin.po index aca2ca239a..d567ecae4c 100644 --- a/l10n/pl/files_trashbin.po +++ b/l10n/pl/files_trashbin.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: I Robot \n" "Language-Team: Polish (http://www.transifex.com/projects/p/owncloud/language/pl/)\n" "MIME-Version: 1.0\n" diff --git a/l10n/pl/lib.po b/l10n/pl/lib.po index 57736058c2..69554bc77c 100644 --- a/l10n/pl/lib.po +++ b/l10n/pl/lib.po @@ -8,8 +8,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:13+0000\n" +"POT-Creation-Date: 2013-07-24 01:55-0400\n" +"PO-Revision-Date: 2013-07-24 05:55+0000\n" "Last-Translator: I Robot \n" "Language-Team: Polish (http://www.transifex.com/projects/p/owncloud/language/pl/)\n" "MIME-Version: 1.0\n" @@ -42,27 +42,43 @@ msgstr "Aplikacje" msgid "Admin" msgstr "Administrator" -#: defaults.php:33 -msgid "web services under your control" +#: app.php:844 +#, php-format +msgid "Failed to upgrade \"%s\"." msgstr "" -#: files.php:210 +#: defaults.php:33 +msgid "web services under your control" +msgstr "Kontrolowane serwisy" + +#: files.php:66 files.php:98 +#, php-format +msgid "cannot open \"%s\"" +msgstr "" + +#: files.php:226 msgid "ZIP download is turned off." msgstr "Pobieranie ZIP jest wyłączone." -#: files.php:211 +#: files.php:227 msgid "Files need to be downloaded one by one." msgstr "Pliki muszą zostać pobrane pojedynczo." -#: files.php:212 files.php:245 +#: files.php:228 files.php:256 msgid "Back to Files" msgstr "Wróć do plików" -#: files.php:242 +#: files.php:253 msgid "Selected files too large to generate zip file." msgstr "Wybrane pliki są zbyt duże, aby wygenerować plik zip." -#: helper.php:236 +#: files.php:254 +msgid "" +"Download the files in smaller chunks, seperately or kindly ask your " +"administrator." +msgstr "" + +#: helper.php:235 msgid "couldn't be determined" msgstr "nie może zostać znaleziony" @@ -171,77 +187,81 @@ msgstr "Niepoprawne polecania: \"%s\", nazwa: %s, hasło: %s" msgid "PostgreSQL username and/or password not valid" msgstr "PostgreSQL: Nazwa użytkownika i/lub hasło jest niepoprawne" -#: setup.php:42 +#: setup.php:28 msgid "Set an admin username." msgstr "Ustaw nazwę administratora." -#: setup.php:45 +#: setup.php:31 msgid "Set an admin password." msgstr "Ustaw hasło administratora." -#: setup.php:198 +#: setup.php:184 msgid "" "Your web server is not yet properly setup to allow files synchronization " "because the WebDAV interface seems to be broken." msgstr "Serwer internetowy nie jest jeszcze poprawnie skonfigurowany, aby umożliwić synchronizację plików, ponieważ interfejs WebDAV wydaje się być uszkodzony." -#: setup.php:199 +#: setup.php:185 #, php-format msgid "Please double check the installation guides." msgstr "Sprawdź ponownie przewodniki instalacji." -#: template.php:113 +#: template/functions.php:80 msgid "seconds ago" msgstr "sekund temu" -#: template.php:114 +#: template/functions.php:81 msgid "1 minute ago" msgstr "1 minutę temu" -#: template.php:115 +#: template/functions.php:82 #, php-format msgid "%d minutes ago" msgstr "%d minut temu" -#: template.php:116 +#: template/functions.php:83 msgid "1 hour ago" msgstr "1 godzinę temu" -#: template.php:117 +#: template/functions.php:84 #, php-format msgid "%d hours ago" msgstr "%d godzin temu" -#: template.php:118 +#: template/functions.php:85 msgid "today" msgstr "dziś" -#: template.php:119 +#: template/functions.php:86 msgid "yesterday" msgstr "wczoraj" -#: template.php:120 +#: template/functions.php:87 #, php-format msgid "%d days ago" msgstr "%d dni temu" -#: template.php:121 +#: template/functions.php:88 msgid "last month" msgstr "w zeszłym miesiącu" -#: template.php:122 +#: template/functions.php:89 #, php-format msgid "%d months ago" msgstr "%d miesiecy temu" -#: template.php:123 +#: template/functions.php:90 msgid "last year" msgstr "w zeszłym roku" -#: template.php:124 +#: template/functions.php:91 msgid "years ago" msgstr "lat temu" +#: template.php:296 +msgid "Caused by:" +msgstr "" + #: vcategories.php:188 vcategories.php:249 #, php-format msgid "Could not find category \"%s\"" diff --git a/l10n/pl/settings.po b/l10n/pl/settings.po index 64b74c896f..697ae5d0a0 100644 --- a/l10n/pl/settings.po +++ b/l10n/pl/settings.po @@ -9,8 +9,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:55+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:55+0000\n" "Last-Translator: I Robot \n" "Language-Team: Polish (http://www.transifex.com/projects/p/owncloud/language/pl/)\n" "MIME-Version: 1.0\n" @@ -275,62 +275,71 @@ msgstr "Zezwalaj na odnośniki" msgid "Allow users to share items to the public with links" msgstr "Zezwalaj użytkownikom na publiczne współdzielenie zasobów za pomocą odnośników" -#: templates/admin.php:152 +#: templates/admin.php:153 +msgid "Allow public uploads" +msgstr "" + +#: templates/admin.php:154 +msgid "" +"Allow users to enable others to upload into their publicly shared folders" +msgstr "" + +#: templates/admin.php:162 msgid "Allow resharing" msgstr "Zezwalaj na ponowne udostępnianie" -#: templates/admin.php:153 +#: templates/admin.php:163 msgid "Allow users to share items shared with them again" msgstr "Zezwalaj użytkownikom na ponowne współdzielenie zasobów już z nimi współdzielonych" -#: templates/admin.php:160 +#: templates/admin.php:170 msgid "Allow users to share with anyone" msgstr "Zezwalaj użytkownikom na współdzielenie z kimkolwiek" -#: templates/admin.php:163 +#: templates/admin.php:173 msgid "Allow users to only share with users in their groups" msgstr "Zezwalaj użytkownikom współdzielić z użytkownikami ze swoich grup" -#: templates/admin.php:170 +#: templates/admin.php:180 msgid "Security" msgstr "Bezpieczeństwo" -#: templates/admin.php:183 +#: templates/admin.php:193 msgid "Enforce HTTPS" msgstr "Wymuś HTTPS" -#: templates/admin.php:184 +#: templates/admin.php:194 msgid "" "Enforces the clients to connect to ownCloud via an encrypted connection." msgstr "Wymusza na klientach na łączenie się ownCloud za pośrednictwem połączenia szyfrowanego." -#: templates/admin.php:187 +#: templates/admin.php:197 msgid "" "Please connect to this ownCloud instance via HTTPS to enable or disable the " "SSL enforcement." msgstr "Proszę połącz się do tej instancji ownCloud za pośrednictwem protokołu HTTPS, aby włączyć lub wyłączyć stosowanie protokołu SSL." -#: templates/admin.php:197 +#: templates/admin.php:207 msgid "Log" msgstr "Logi" -#: templates/admin.php:198 +#: templates/admin.php:208 msgid "Log level" msgstr "Poziom logów" -#: templates/admin.php:229 +#: templates/admin.php:239 msgid "More" msgstr "Więcej" -#: templates/admin.php:230 +#: templates/admin.php:240 msgid "Less" msgstr "Mniej" -#: templates/admin.php:236 templates/personal.php:116 +#: templates/admin.php:246 templates/personal.php:116 msgid "Version" msgstr "Wersja" -#: templates/admin.php:240 templates/personal.php:119 +#: templates/admin.php:250 templates/personal.php:119 msgid "" "Developed by the ownCloud community, the access your Files via WebDAV" +msgstr "" #: templates/users.php:21 msgid "Login Name" diff --git a/l10n/pl/user_ldap.po b/l10n/pl/user_ldap.po index e0f4cee024..2d4d13a2cc 100644 --- a/l10n/pl/user_ldap.po +++ b/l10n/pl/user_ldap.po @@ -9,8 +9,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: orcio6 \n" "Language-Team: Polish (http://www.transifex.com/projects/p/owncloud/language/pl/)\n" "MIME-Version: 1.0\n" diff --git a/l10n/pt_BR/core.po b/l10n/pt_BR/core.po index 65fd184b7f..6a8d13bee2 100644 --- a/l10n/pt_BR/core.po +++ b/l10n/pt_BR/core.po @@ -9,9 +9,9 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:12+0000\n" -"Last-Translator: bjamalaro \n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:04+0000\n" +"Last-Translator: I Robot \n" "Language-Team: Portuguese (Brazil) (http://www.transifex.com/projects/p/owncloud/language/pt_BR/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -139,59 +139,59 @@ msgstr "novembro" msgid "December" msgstr "dezembro" -#: js/js.js:289 +#: js/js.js:293 msgid "Settings" msgstr "Ajustes" -#: js/js.js:721 +#: js/js.js:715 msgid "seconds ago" msgstr "segundos atrás" -#: js/js.js:722 +#: js/js.js:716 msgid "1 minute ago" msgstr "1 minuto atrás" -#: js/js.js:723 +#: js/js.js:717 msgid "{minutes} minutes ago" msgstr "{minutes} minutos atrás" -#: js/js.js:724 +#: js/js.js:718 msgid "1 hour ago" msgstr "1 hora atrás" -#: js/js.js:725 +#: js/js.js:719 msgid "{hours} hours ago" msgstr "{hours} horas atrás" -#: js/js.js:726 +#: js/js.js:720 msgid "today" msgstr "hoje" -#: js/js.js:727 +#: js/js.js:721 msgid "yesterday" msgstr "ontem" -#: js/js.js:728 +#: js/js.js:722 msgid "{days} days ago" msgstr "{days} dias atrás" -#: js/js.js:729 +#: js/js.js:723 msgid "last month" msgstr "último mês" -#: js/js.js:730 +#: js/js.js:724 msgid "{months} months ago" msgstr "{months} meses atrás" -#: js/js.js:731 +#: js/js.js:725 msgid "months ago" msgstr "meses atrás" -#: js/js.js:732 +#: js/js.js:726 msgid "last year" msgstr "último ano" -#: js/js.js:733 +#: js/js.js:727 msgid "years ago" msgstr "anos atrás" @@ -227,8 +227,8 @@ msgstr "O tipo de objeto não foi especificado." #: js/oc-vcategories.js:14 js/oc-vcategories.js:80 js/oc-vcategories.js:95 #: js/oc-vcategories.js:110 js/oc-vcategories.js:125 js/oc-vcategories.js:136 #: js/oc-vcategories.js:172 js/oc-vcategories.js:189 js/oc-vcategories.js:195 -#: js/oc-vcategories.js:199 js/share.js:136 js/share.js:143 js/share.js:618 -#: js/share.js:630 +#: js/oc-vcategories.js:199 js/share.js:136 js/share.js:143 js/share.js:625 +#: js/share.js:637 msgid "Error" msgstr "Erro" @@ -248,7 +248,7 @@ msgstr "Compartilhados" msgid "Share" msgstr "Compartilhar" -#: js/share.js:125 js/share.js:658 +#: js/share.js:125 js/share.js:665 msgid "Error while sharing" msgstr "Erro ao compartilhar" @@ -268,114 +268,114 @@ msgstr "Compartilhado com você e com o grupo {group} por {owner}" msgid "Shared with you by {owner}" msgstr "Compartilhado com você por {owner}" -#: js/share.js:172 +#: js/share.js:177 msgid "Share with" msgstr "Compartilhar com" -#: js/share.js:177 +#: js/share.js:182 msgid "Share with link" msgstr "Compartilhar com link" -#: js/share.js:180 +#: js/share.js:185 msgid "Password protect" msgstr "Proteger com senha" -#: js/share.js:182 templates/installation.php:54 templates/login.php:26 +#: js/share.js:187 templates/installation.php:54 templates/login.php:26 msgid "Password" msgstr "Senha" -#: js/share.js:186 +#: js/share.js:192 msgid "Allow Public Upload" msgstr "Permitir upload público" -#: js/share.js:189 +#: js/share.js:196 msgid "Email link to person" msgstr "Enviar link por e-mail" -#: js/share.js:190 +#: js/share.js:197 msgid "Send" msgstr "Enviar" -#: js/share.js:195 +#: js/share.js:202 msgid "Set expiration date" msgstr "Definir data de expiração" -#: js/share.js:196 +#: js/share.js:203 msgid "Expiration date" msgstr "Data de expiração" -#: js/share.js:228 +#: js/share.js:235 msgid "Share via email:" msgstr "Compartilhar via e-mail:" -#: js/share.js:230 +#: js/share.js:237 msgid "No people found" msgstr "Nenhuma pessoa encontrada" -#: js/share.js:268 +#: js/share.js:275 msgid "Resharing is not allowed" msgstr "Não é permitido re-compartilhar" -#: js/share.js:304 +#: js/share.js:311 msgid "Shared in {item} with {user}" msgstr "Compartilhado em {item} com {user}" -#: js/share.js:325 +#: js/share.js:332 msgid "Unshare" msgstr "Descompartilhar" -#: js/share.js:337 +#: js/share.js:344 msgid "can edit" msgstr "pode editar" -#: js/share.js:339 +#: js/share.js:346 msgid "access control" msgstr "controle de acesso" -#: js/share.js:342 +#: js/share.js:349 msgid "create" msgstr "criar" -#: js/share.js:345 +#: js/share.js:352 msgid "update" msgstr "atualizar" -#: js/share.js:348 +#: js/share.js:355 msgid "delete" msgstr "remover" -#: js/share.js:351 +#: js/share.js:358 msgid "share" msgstr "compartilhar" -#: js/share.js:385 js/share.js:605 +#: js/share.js:392 js/share.js:612 msgid "Password protected" msgstr "Protegido com senha" -#: js/share.js:618 +#: js/share.js:625 msgid "Error unsetting expiration date" msgstr "Erro ao remover data de expiração" -#: js/share.js:630 +#: js/share.js:637 msgid "Error setting expiration date" msgstr "Erro ao definir data de expiração" -#: js/share.js:645 +#: js/share.js:652 msgid "Sending ..." msgstr "Enviando ..." -#: js/share.js:656 +#: js/share.js:663 msgid "Email sent" msgstr "E-mail enviado" -#: js/update.js:14 +#: js/update.js:17 msgid "" "The update was unsuccessful. Please report this issue to the ownCloud " "community." msgstr "A atualização falhou. Por favor, relate este problema para a comunidade ownCloud." -#: js/update.js:18 +#: js/update.js:21 msgid "The update was successful. Redirecting you to ownCloud now." msgstr "A atualização teve êxito. Você será redirecionado ao ownCloud agora." @@ -467,7 +467,7 @@ msgstr "Acesso proibido" msgid "Cloud not found" msgstr "Cloud não encontrado" -#: templates/altmail.php:2 +#: templates/altmail.php:4 #, php-format msgid "" "Hey there,\n" @@ -478,10 +478,6 @@ msgid "" "Cheers!" msgstr "Olá,\n\napenas para você saber que %s compartilhou %s com você.\nVeja: %s\n\nAbraços!" -#: templates/altmail.php:7 templates/mail.php:24 -msgid "web services under your control" -msgstr "serviços web sob seu controle" - #: templates/edit_categories_dialog.php:4 msgid "Edit categories" msgstr "Editar categorias" @@ -613,7 +609,7 @@ msgstr "Fazer login" msgid "Alternative Logins" msgstr "Logins alternativos" -#: templates/mail.php:15 +#: templates/mail.php:16 #, php-format msgid "" "Hey there,

    just letting you know that %s shared »%s« with you.
    \n" "Language-Team: Portuguese (Brazil) (http://www.transifex.com/projects/p/owncloud/language/pt_BR/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -30,54 +30,54 @@ msgstr "Impossível mover %s - Um arquivo com este nome já existe" msgid "Could not move %s" msgstr "Impossível mover %s" -#: ajax/upload.php:16 ajax/upload.php:39 +#: ajax/upload.php:16 ajax/upload.php:45 msgid "Unable to set upload directory." msgstr "Impossível configurar o diretório de upload" -#: ajax/upload.php:23 +#: ajax/upload.php:22 msgid "Invalid Token" msgstr "Token inválido" -#: ajax/upload.php:55 +#: ajax/upload.php:59 msgid "No file was uploaded. Unknown error" msgstr "Nenhum arquivo foi enviado. Erro desconhecido" -#: ajax/upload.php:62 +#: ajax/upload.php:66 msgid "There is no error, the file uploaded with success" msgstr "Sem erros, o arquivo foi enviado com sucesso" -#: ajax/upload.php:63 +#: ajax/upload.php:67 msgid "" "The uploaded file exceeds the upload_max_filesize directive in php.ini: " msgstr "O arquivo enviado excede a diretiva upload_max_filesize no php.ini: " -#: ajax/upload.php:65 +#: ajax/upload.php:69 msgid "" "The uploaded file exceeds the MAX_FILE_SIZE directive that was specified in " "the HTML form" msgstr "O arquivo carregado excede o argumento MAX_FILE_SIZE especificado no formulário HTML" -#: ajax/upload.php:66 +#: ajax/upload.php:70 msgid "The uploaded file was only partially uploaded" msgstr "O arquivo foi parcialmente enviado" -#: ajax/upload.php:67 +#: ajax/upload.php:71 msgid "No file was uploaded" msgstr "Nenhum arquivo enviado" -#: ajax/upload.php:68 +#: ajax/upload.php:72 msgid "Missing a temporary folder" msgstr "Pasta temporária não encontrada" -#: ajax/upload.php:69 +#: ajax/upload.php:73 msgid "Failed to write to disk" msgstr "Falha ao escrever no disco" -#: ajax/upload.php:87 +#: ajax/upload.php:91 msgid "Not enough storage available" msgstr "Espaço de armazenamento insuficiente" -#: ajax/upload.php:119 +#: ajax/upload.php:123 msgid "Invalid directory." msgstr "Diretório inválido." @@ -131,43 +131,43 @@ msgstr "Excluir" msgid "Rename" msgstr "Renomear" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:464 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:465 msgid "Pending" msgstr "Pendente" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "{new_name} already exists" msgstr "{new_name} já existe" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "replace" msgstr "substituir" -#: js/filelist.js:302 +#: js/filelist.js:303 msgid "suggest name" msgstr "sugerir nome" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "cancel" msgstr "cancelar" -#: js/filelist.js:349 +#: js/filelist.js:350 msgid "replaced {new_name} with {old_name}" msgstr "Substituído {old_name} por {new_name} " -#: js/filelist.js:349 +#: js/filelist.js:350 msgid "undo" msgstr "desfazer" -#: js/filelist.js:374 +#: js/filelist.js:375 msgid "perform delete operation" msgstr "realizar operação de exclusão" -#: js/filelist.js:456 +#: js/filelist.js:457 msgid "1 file uploading" msgstr "enviando 1 arquivo" -#: js/filelist.js:459 js/filelist.js:517 +#: js/filelist.js:460 js/filelist.js:518 msgid "files uploading" msgstr "enviando arquivos" @@ -215,19 +215,19 @@ msgstr "Tamanho" msgid "Modified" msgstr "Modificado" -#: js/files.js:765 +#: js/files.js:763 msgid "1 folder" msgstr "1 pasta" -#: js/files.js:767 +#: js/files.js:765 msgid "{count} folders" msgstr "{count} pastas" -#: js/files.js:775 +#: js/files.js:773 msgid "1 file" msgstr "1 arquivo" -#: js/files.js:777 +#: js/files.js:775 msgid "{count} files" msgstr "{count} arquivos" @@ -330,19 +330,19 @@ msgstr "Arquivos sendo escaneados, por favor aguarde." msgid "Current scanning" msgstr "Scanning atual" -#: templates/part.list.php:78 +#: templates/part.list.php:74 msgid "directory" msgstr "diretório" -#: templates/part.list.php:80 +#: templates/part.list.php:76 msgid "directories" msgstr "diretórios" -#: templates/part.list.php:89 +#: templates/part.list.php:85 msgid "file" msgstr "arquivo" -#: templates/part.list.php:91 +#: templates/part.list.php:87 msgid "files" msgstr "arquivos" diff --git a/l10n/pt_BR/files_encryption.po b/l10n/pt_BR/files_encryption.po index 68b80dba9e..907be4d30a 100644 --- a/l10n/pt_BR/files_encryption.po +++ b/l10n/pt_BR/files_encryption.po @@ -9,9 +9,9 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:12+0200\n" -"PO-Revision-Date: 2013-07-05 00:13+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-07-06 02:01+0200\n" +"PO-Revision-Date: 2013-07-05 23:10+0000\n" +"Last-Translator: Flávio Veras \n" "Language-Team: Portuguese (Brazil) (http://www.transifex.com/projects/p/owncloud/language/pt_BR/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -65,14 +65,14 @@ msgstr "Sua chave privada não é válida! Provavelmente sua senha foi alterada #: hooks/hooks.php:44 msgid "Missing requirements." -msgstr "" +msgstr "Requisitos em falta." #: hooks/hooks.php:45 msgid "" "Please make sure that PHP 5.3.3 or newer is installed and that the OpenSSL " "PHP extension is enabled and configured properly. For now, the encryption " "app has been disabled." -msgstr "" +msgstr "Por favor, certifique-se que o PHP 5.3.3 ou mais recente está instalado e que a extensão PHP OpenSSL está habilitado e configurado corretamente. Por enquanto, o aplicativo de criptografia foi desativado." #: js/settings-admin.js:11 msgid "Saving..." diff --git a/l10n/pt_BR/files_external.po b/l10n/pt_BR/files_external.po index 7d3361b2e1..e47a052c0b 100644 --- a/l10n/pt_BR/files_external.po +++ b/l10n/pt_BR/files_external.po @@ -8,8 +8,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: Flávio Veras \n" "Language-Team: Portuguese (Brazil) (http://www.transifex.com/projects/p/owncloud/language/pt_BR/)\n" "MIME-Version: 1.0\n" @@ -38,20 +38,20 @@ msgstr "Por favor forneça um app key e secret válido do Dropbox" msgid "Error configuring Google Drive storage" msgstr "Erro ao configurar armazenamento do Google Drive" -#: lib/config.php:431 +#: lib/config.php:447 msgid "" "Warning: \"smbclient\" is not installed. Mounting of CIFS/SMB shares " "is not possible. Please ask your system administrator to install it." msgstr "Aviso: \"smbclient\" não está instalado. Impossível montar compartilhamentos de CIFS/SMB. Por favor, peça ao seu administrador do sistema para instalá-lo." -#: lib/config.php:434 +#: lib/config.php:450 msgid "" "Warning: The FTP support in PHP is not enabled or installed. Mounting" " of FTP shares is not possible. Please ask your system administrator to " "install it." msgstr "Aviso: O suporte para FTP do PHP não está ativado ou instalado. Impossível montar compartilhamentos FTP. Por favor, peça ao seu administrador do sistema para instalá-lo." -#: lib/config.php:437 +#: lib/config.php:453 msgid "" "Warning: The Curl support in PHP is not enabled or installed. " "Mounting of ownCloud / WebDAV or GoogleDrive is not possible. Please ask " diff --git a/l10n/pt_BR/files_sharing.po b/l10n/pt_BR/files_sharing.po index 8fcaa98324..e4acbc625b 100644 --- a/l10n/pt_BR/files_sharing.po +++ b/l10n/pt_BR/files_sharing.po @@ -3,13 +3,14 @@ # This file is distributed under the same license as the PACKAGE package. # # Translators: +# Flávio Veras , 2013 msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:13+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" +"Last-Translator: Flávio Veras \n" "Language-Team: Portuguese (Brazil) (http://www.transifex.com/projects/p/owncloud/language/pt_BR/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -19,7 +20,7 @@ msgstr "" #: templates/authenticate.php:4 msgid "The password is wrong. Try again." -msgstr "" +msgstr "Senha incorreta. Tente novamente." #: templates/authenticate.php:7 msgid "Password" @@ -39,18 +40,18 @@ msgstr "%s compartilhou a pasta %s com você" msgid "%s shared the file %s with you" msgstr "%s compartilhou o arquivo %s com você" -#: templates/public.php:28 templates/public.php:86 +#: templates/public.php:28 templates/public.php:90 msgid "Download" msgstr "Baixar" -#: templates/public.php:44 +#: templates/public.php:45 templates/public.php:48 msgid "Upload" msgstr "Upload" -#: templates/public.php:54 +#: templates/public.php:58 msgid "Cancel upload" msgstr "Cancelar upload" -#: templates/public.php:83 +#: templates/public.php:87 msgid "No preview available for" msgstr "Nenhuma visualização disponível para" diff --git a/l10n/pt_BR/files_trashbin.po b/l10n/pt_BR/files_trashbin.po index b6502c0a24..6878b84290 100644 --- a/l10n/pt_BR/files_trashbin.po +++ b/l10n/pt_BR/files_trashbin.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: I Robot \n" "Language-Team: Portuguese (Brazil) (http://www.transifex.com/projects/p/owncloud/language/pt_BR/)\n" "MIME-Version: 1.0\n" diff --git a/l10n/pt_BR/lib.po b/l10n/pt_BR/lib.po index d55efcc9cb..15f63ba0d3 100644 --- a/l10n/pt_BR/lib.po +++ b/l10n/pt_BR/lib.po @@ -8,8 +8,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:13+0000\n" +"POT-Creation-Date: 2013-07-24 01:55-0400\n" +"PO-Revision-Date: 2013-07-24 05:55+0000\n" "Last-Translator: I Robot \n" "Language-Team: Portuguese (Brazil) (http://www.transifex.com/projects/p/owncloud/language/pt_BR/)\n" "MIME-Version: 1.0\n" @@ -42,27 +42,43 @@ msgstr "Aplicações" msgid "Admin" msgstr "Admin" -#: defaults.php:33 -msgid "web services under your control" +#: app.php:844 +#, php-format +msgid "Failed to upgrade \"%s\"." msgstr "" -#: files.php:210 +#: defaults.php:33 +msgid "web services under your control" +msgstr "serviços web sob seu controle" + +#: files.php:66 files.php:98 +#, php-format +msgid "cannot open \"%s\"" +msgstr "" + +#: files.php:226 msgid "ZIP download is turned off." msgstr "Download ZIP está desligado." -#: files.php:211 +#: files.php:227 msgid "Files need to be downloaded one by one." msgstr "Arquivos precisam ser baixados um de cada vez." -#: files.php:212 files.php:245 +#: files.php:228 files.php:256 msgid "Back to Files" msgstr "Voltar para Arquivos" -#: files.php:242 +#: files.php:253 msgid "Selected files too large to generate zip file." msgstr "Arquivos selecionados são muito grandes para gerar arquivo zip." -#: helper.php:236 +#: files.php:254 +msgid "" +"Download the files in smaller chunks, seperately or kindly ask your " +"administrator." +msgstr "" + +#: helper.php:235 msgid "couldn't be determined" msgstr "não pôde ser determinado" @@ -171,77 +187,81 @@ msgstr "Comando ofensivo era: \"%s\", nome: %s, senha: %s" msgid "PostgreSQL username and/or password not valid" msgstr "Nome de usuário e/ou senha PostgreSQL inválido(s)" -#: setup.php:42 +#: setup.php:28 msgid "Set an admin username." msgstr "Defina um nome de usuário de administrador." -#: setup.php:45 +#: setup.php:31 msgid "Set an admin password." msgstr "Defina uma senha de administrador." -#: setup.php:198 +#: setup.php:184 msgid "" "Your web server is not yet properly setup to allow files synchronization " "because the WebDAV interface seems to be broken." msgstr "Seu servidor web não está configurado corretamente para permitir sincronização de arquivos porque a interface WebDAV parece estar quebrada." -#: setup.php:199 +#: setup.php:185 #, php-format msgid "Please double check the installation guides." msgstr "Por favor, confira os guias de instalação." -#: template.php:113 +#: template/functions.php:80 msgid "seconds ago" msgstr "segundos atrás" -#: template.php:114 +#: template/functions.php:81 msgid "1 minute ago" msgstr "1 minuto atrás" -#: template.php:115 +#: template/functions.php:82 #, php-format msgid "%d minutes ago" msgstr "%d minutos atrás" -#: template.php:116 +#: template/functions.php:83 msgid "1 hour ago" msgstr "1 hora atrás" -#: template.php:117 +#: template/functions.php:84 #, php-format msgid "%d hours ago" msgstr "%d horas atrás" -#: template.php:118 +#: template/functions.php:85 msgid "today" msgstr "hoje" -#: template.php:119 +#: template/functions.php:86 msgid "yesterday" msgstr "ontem" -#: template.php:120 +#: template/functions.php:87 #, php-format msgid "%d days ago" msgstr "%d dias atrás" -#: template.php:121 +#: template/functions.php:88 msgid "last month" msgstr "último mês" -#: template.php:122 +#: template/functions.php:89 #, php-format msgid "%d months ago" msgstr "%d meses atrás" -#: template.php:123 +#: template/functions.php:90 msgid "last year" msgstr "último ano" -#: template.php:124 +#: template/functions.php:91 msgid "years ago" msgstr "anos atrás" +#: template.php:296 +msgid "Caused by:" +msgstr "" + #: vcategories.php:188 vcategories.php:249 #, php-format msgid "Could not find category \"%s\"" diff --git a/l10n/pt_BR/settings.po b/l10n/pt_BR/settings.po index f36dd96b18..d970d4b208 100644 --- a/l10n/pt_BR/settings.po +++ b/l10n/pt_BR/settings.po @@ -9,8 +9,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-24 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 11:20+0000\n" "Last-Translator: Flávio Veras \n" "Language-Team: Portuguese (Brazil) (http://www.transifex.com/projects/p/owncloud/language/pt_BR/)\n" "MIME-Version: 1.0\n" @@ -275,62 +275,71 @@ msgstr "Permitir links" msgid "Allow users to share items to the public with links" msgstr "Permitir que usuários compartilhem itens com o público usando links" -#: templates/admin.php:152 +#: templates/admin.php:153 +msgid "Allow public uploads" +msgstr "Permitir envio público" + +#: templates/admin.php:154 +msgid "" +"Allow users to enable others to upload into their publicly shared folders" +msgstr "Permitir que usuários deem permissão a outros para enviarem arquivios para suas pastas compartilhadas publicamente" + +#: templates/admin.php:162 msgid "Allow resharing" msgstr "Permitir recompartilhamento" -#: templates/admin.php:153 +#: templates/admin.php:163 msgid "Allow users to share items shared with them again" msgstr "Permitir que usuários compartilhem novamente itens compartilhados com eles" -#: templates/admin.php:160 +#: templates/admin.php:170 msgid "Allow users to share with anyone" msgstr "Permitir que usuários compartilhem com qualquer um" -#: templates/admin.php:163 +#: templates/admin.php:173 msgid "Allow users to only share with users in their groups" msgstr "Permitir que usuários compartilhem somente com usuários em seus grupos" -#: templates/admin.php:170 +#: templates/admin.php:180 msgid "Security" msgstr "Segurança" -#: templates/admin.php:183 +#: templates/admin.php:193 msgid "Enforce HTTPS" msgstr "Forçar HTTPS" -#: templates/admin.php:184 +#: templates/admin.php:194 msgid "" "Enforces the clients to connect to ownCloud via an encrypted connection." msgstr "Força o cliente a conectar-se ao ownCloud por uma conexão criptografada." -#: templates/admin.php:187 +#: templates/admin.php:197 msgid "" "Please connect to this ownCloud instance via HTTPS to enable or disable the " "SSL enforcement." msgstr "Por favor, conecte-se a esta instância do ownCloud via HTTPS para habilitar ou desabilitar 'Forçar SSL'." -#: templates/admin.php:197 +#: templates/admin.php:207 msgid "Log" msgstr "Registro" -#: templates/admin.php:198 +#: templates/admin.php:208 msgid "Log level" msgstr "Nível de registro" -#: templates/admin.php:229 +#: templates/admin.php:239 msgid "More" msgstr "Mais" -#: templates/admin.php:230 +#: templates/admin.php:240 msgid "Less" msgstr "Menos" -#: templates/admin.php:236 templates/personal.php:116 +#: templates/admin.php:246 templates/personal.php:116 msgid "Version" msgstr "Versão" -#: templates/admin.php:240 templates/personal.php:119 +#: templates/admin.php:250 templates/personal.php:119 msgid "" "Developed by the ownCloud community, the access your Files via WebDAV" +msgstr "Use esse endereço para acessar seus arquivos via WebDAV" #: templates/users.php:21 msgid "Login Name" diff --git a/l10n/pt_BR/user_ldap.po b/l10n/pt_BR/user_ldap.po index 0ced82a9ab..3e487b2a70 100644 --- a/l10n/pt_BR/user_ldap.po +++ b/l10n/pt_BR/user_ldap.po @@ -8,8 +8,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: Flávio Veras \n" "Language-Team: Portuguese (Brazil) (http://www.transifex.com/projects/p/owncloud/language/pt_BR/)\n" "MIME-Version: 1.0\n" diff --git a/l10n/pt_PT/core.po b/l10n/pt_PT/core.po index 0488643d6c..4c66538ece 100644 --- a/l10n/pt_PT/core.po +++ b/l10n/pt_PT/core.po @@ -3,15 +3,17 @@ # This file is distributed under the same license as the PACKAGE package. # # Translators: +# Bruno Martins , 2013 # bmgmatias , 2013 # Mouxy , 2013 +# Helder Meneses , 2013 msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:12+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:04+0000\n" +"Last-Translator: Helder Meneses \n" "Language-Team: Portuguese (Portugal) (http://www.transifex.com/projects/p/owncloud/language/pt_PT/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -22,7 +24,7 @@ msgstr "" #: ajax/share.php:97 #, php-format msgid "%s shared »%s« with you" -msgstr "" +msgstr "%s partilhado »%s« contigo" #: ajax/vcategories/add.php:26 ajax/vcategories/edit.php:25 msgid "Category type not provided." @@ -139,59 +141,59 @@ msgstr "Novembro" msgid "December" msgstr "Dezembro" -#: js/js.js:289 +#: js/js.js:293 msgid "Settings" msgstr "Configurações" -#: js/js.js:721 +#: js/js.js:715 msgid "seconds ago" msgstr "Minutos atrás" -#: js/js.js:722 +#: js/js.js:716 msgid "1 minute ago" msgstr "Há 1 minuto" -#: js/js.js:723 +#: js/js.js:717 msgid "{minutes} minutes ago" msgstr "{minutes} minutos atrás" -#: js/js.js:724 +#: js/js.js:718 msgid "1 hour ago" msgstr "Há 1 horas" -#: js/js.js:725 +#: js/js.js:719 msgid "{hours} hours ago" msgstr "Há {hours} horas atrás" -#: js/js.js:726 +#: js/js.js:720 msgid "today" msgstr "hoje" -#: js/js.js:727 +#: js/js.js:721 msgid "yesterday" msgstr "ontem" -#: js/js.js:728 +#: js/js.js:722 msgid "{days} days ago" msgstr "{days} dias atrás" -#: js/js.js:729 +#: js/js.js:723 msgid "last month" msgstr "ultímo mês" -#: js/js.js:730 +#: js/js.js:724 msgid "{months} months ago" msgstr "Há {months} meses atrás" -#: js/js.js:731 +#: js/js.js:725 msgid "months ago" msgstr "meses atrás" -#: js/js.js:732 +#: js/js.js:726 msgid "last year" msgstr "ano passado" -#: js/js.js:733 +#: js/js.js:727 msgid "years ago" msgstr "anos atrás" @@ -227,8 +229,8 @@ msgstr "O tipo de objecto não foi especificado" #: js/oc-vcategories.js:14 js/oc-vcategories.js:80 js/oc-vcategories.js:95 #: js/oc-vcategories.js:110 js/oc-vcategories.js:125 js/oc-vcategories.js:136 #: js/oc-vcategories.js:172 js/oc-vcategories.js:189 js/oc-vcategories.js:195 -#: js/oc-vcategories.js:199 js/share.js:136 js/share.js:143 js/share.js:618 -#: js/share.js:630 +#: js/oc-vcategories.js:199 js/share.js:136 js/share.js:143 js/share.js:625 +#: js/share.js:637 msgid "Error" msgstr "Erro" @@ -248,7 +250,7 @@ msgstr "Partilhado" msgid "Share" msgstr "Partilhar" -#: js/share.js:125 js/share.js:658 +#: js/share.js:125 js/share.js:665 msgid "Error while sharing" msgstr "Erro ao partilhar" @@ -268,114 +270,114 @@ msgstr "Partilhado consigo e com o grupo {group} por {owner}" msgid "Shared with you by {owner}" msgstr "Partilhado consigo por {owner}" -#: js/share.js:172 +#: js/share.js:177 msgid "Share with" msgstr "Partilhar com" -#: js/share.js:177 +#: js/share.js:182 msgid "Share with link" msgstr "Partilhar com link" -#: js/share.js:180 +#: js/share.js:185 msgid "Password protect" msgstr "Proteger com palavra-passe" -#: js/share.js:182 templates/installation.php:54 templates/login.php:26 +#: js/share.js:187 templates/installation.php:54 templates/login.php:26 msgid "Password" msgstr "Password" -#: js/share.js:186 +#: js/share.js:192 msgid "Allow Public Upload" -msgstr "" +msgstr "Permitir Envios Públicos" -#: js/share.js:189 +#: js/share.js:196 msgid "Email link to person" msgstr "Enviar o link por e-mail" -#: js/share.js:190 +#: js/share.js:197 msgid "Send" msgstr "Enviar" -#: js/share.js:195 +#: js/share.js:202 msgid "Set expiration date" msgstr "Especificar data de expiração" -#: js/share.js:196 +#: js/share.js:203 msgid "Expiration date" msgstr "Data de expiração" -#: js/share.js:228 +#: js/share.js:235 msgid "Share via email:" msgstr "Partilhar via email:" -#: js/share.js:230 +#: js/share.js:237 msgid "No people found" msgstr "Não foi encontrado ninguém" -#: js/share.js:268 +#: js/share.js:275 msgid "Resharing is not allowed" msgstr "Não é permitido partilhar de novo" -#: js/share.js:304 +#: js/share.js:311 msgid "Shared in {item} with {user}" msgstr "Partilhado em {item} com {user}" -#: js/share.js:325 +#: js/share.js:332 msgid "Unshare" msgstr "Deixar de partilhar" -#: js/share.js:337 +#: js/share.js:344 msgid "can edit" msgstr "pode editar" -#: js/share.js:339 +#: js/share.js:346 msgid "access control" msgstr "Controlo de acesso" -#: js/share.js:342 +#: js/share.js:349 msgid "create" msgstr "criar" -#: js/share.js:345 +#: js/share.js:352 msgid "update" msgstr "actualizar" -#: js/share.js:348 +#: js/share.js:355 msgid "delete" msgstr "apagar" -#: js/share.js:351 +#: js/share.js:358 msgid "share" msgstr "partilhar" -#: js/share.js:385 js/share.js:605 +#: js/share.js:392 js/share.js:612 msgid "Password protected" msgstr "Protegido com palavra-passe" -#: js/share.js:618 +#: js/share.js:625 msgid "Error unsetting expiration date" msgstr "Erro ao retirar a data de expiração" -#: js/share.js:630 +#: js/share.js:637 msgid "Error setting expiration date" msgstr "Erro ao aplicar a data de expiração" -#: js/share.js:645 +#: js/share.js:652 msgid "Sending ..." msgstr "A Enviar..." -#: js/share.js:656 +#: js/share.js:663 msgid "Email sent" msgstr "E-mail enviado" -#: js/update.js:14 +#: js/update.js:17 msgid "" "The update was unsuccessful. Please report this issue to the ownCloud " "community." msgstr "A actualização falhou. Por favor reporte este incidente seguindo este link ownCloud community." -#: js/update.js:18 +#: js/update.js:21 msgid "The update was successful. Redirecting you to ownCloud now." msgstr "A actualização foi concluída com sucesso. Vai ser redireccionado para o ownCloud agora." @@ -413,11 +415,11 @@ msgid "" "will be no way to get your data back after your password is reset. If you " "are not sure what to do, please contact your administrator before you " "continue. Do you really want to continue?" -msgstr "" +msgstr "Os seus ficheiros estão encriptados. Se não activou a chave de recuperação, não vai ser possível recuperar os seus dados no caso da sua password ser reinicializada. Se não tem a certeza do que precisa de fazer, por favor contacte o seu administrador antes de continuar. Tem a certeza que quer continuar?" #: lostpassword/templates/lostpassword.php:24 msgid "Yes, I really want to reset my password now" -msgstr "" +msgstr "Sim, tenho a certeza que pretendo redefinir a minha palavra-passe agora." #: lostpassword/templates/lostpassword.php:27 msgid "Request reset" @@ -467,7 +469,7 @@ msgstr "Acesso interdito" msgid "Cloud not found" msgstr "Cloud nao encontrada" -#: templates/altmail.php:2 +#: templates/altmail.php:4 #, php-format msgid "" "Hey there,\n" @@ -476,11 +478,7 @@ msgid "" "View it: %s\n" "\n" "Cheers!" -msgstr "" - -#: templates/altmail.php:7 templates/mail.php:24 -msgid "web services under your control" -msgstr "serviços web sob o seu controlo" +msgstr "Olá,\n\nApenas para lhe informar que %s partilhou %s consigo.\nVeja-o: %s\n\nCumprimentos!" #: templates/edit_categories_dialog.php:4 msgid "Edit categories" @@ -613,12 +611,12 @@ msgstr "Entrar" msgid "Alternative Logins" msgstr "Contas de acesso alternativas" -#: templates/mail.php:15 +#: templates/mail.php:16 #, php-format msgid "" "Hey there,

    just letting you know that %s shared »%s« with you.
    View it!

    Cheers!" -msgstr "" +msgstr "Olá,

    Apenas para lhe informar que %s partilhou »%s« consigo.
    Consulte-o aqui!

    Cumprimentos!" #: templates/part.pagenavi.php:3 msgid "prev" diff --git a/l10n/pt_PT/files.po b/l10n/pt_PT/files.po index 3eead822b7..51ba0692ff 100644 --- a/l10n/pt_PT/files.po +++ b/l10n/pt_PT/files.po @@ -4,12 +4,13 @@ # # Translators: # bmgmatias , 2013 +# FernandoMASilva, 2013 msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:12+0200\n" -"PO-Revision-Date: 2013-07-04 07:55+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:04+0000\n" "Last-Translator: I Robot \n" "Language-Team: Portuguese (Portugal) (http://www.transifex.com/projects/p/owncloud/language/pt_PT/)\n" "MIME-Version: 1.0\n" @@ -28,54 +29,54 @@ msgstr "Não foi possível mover o ficheiro %s - Já existe um ficheiro com esse msgid "Could not move %s" msgstr "Não foi possível move o ficheiro %s" -#: ajax/upload.php:16 ajax/upload.php:39 +#: ajax/upload.php:16 ajax/upload.php:45 msgid "Unable to set upload directory." -msgstr "" +msgstr "Não foi possível criar o diretório de upload" -#: ajax/upload.php:23 +#: ajax/upload.php:22 msgid "Invalid Token" -msgstr "" +msgstr "Token inválido" -#: ajax/upload.php:55 +#: ajax/upload.php:59 msgid "No file was uploaded. Unknown error" msgstr "Nenhum ficheiro foi carregado. Erro desconhecido" -#: ajax/upload.php:62 +#: ajax/upload.php:66 msgid "There is no error, the file uploaded with success" msgstr "Não ocorreram erros, o ficheiro foi submetido com sucesso" -#: ajax/upload.php:63 +#: ajax/upload.php:67 msgid "" "The uploaded file exceeds the upload_max_filesize directive in php.ini: " msgstr "O ficheiro enviado excede o limite permitido na directiva do php.ini upload_max_filesize" -#: ajax/upload.php:65 +#: ajax/upload.php:69 msgid "" "The uploaded file exceeds the MAX_FILE_SIZE directive that was specified in " "the HTML form" msgstr "O tamanho do ficheiro carregado ultrapassa o valor MAX_FILE_SIZE definido no formulário HTML" -#: ajax/upload.php:66 +#: ajax/upload.php:70 msgid "The uploaded file was only partially uploaded" msgstr "O ficheiro seleccionado foi apenas carregado parcialmente" -#: ajax/upload.php:67 +#: ajax/upload.php:71 msgid "No file was uploaded" msgstr "Nenhum ficheiro foi submetido" -#: ajax/upload.php:68 +#: ajax/upload.php:72 msgid "Missing a temporary folder" msgstr "Está a faltar a pasta temporária" -#: ajax/upload.php:69 +#: ajax/upload.php:73 msgid "Failed to write to disk" msgstr "Falhou a escrita no disco" -#: ajax/upload.php:87 +#: ajax/upload.php:91 msgid "Not enough storage available" msgstr "Não há espaço suficiente em disco" -#: ajax/upload.php:119 +#: ajax/upload.php:123 msgid "Invalid directory." msgstr "Directório Inválido" @@ -129,43 +130,43 @@ msgstr "Eliminar" msgid "Rename" msgstr "Renomear" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:464 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:465 msgid "Pending" msgstr "Pendente" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "{new_name} already exists" msgstr "O nome {new_name} já existe" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "replace" msgstr "substituir" -#: js/filelist.js:302 +#: js/filelist.js:303 msgid "suggest name" msgstr "sugira um nome" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "cancel" msgstr "cancelar" -#: js/filelist.js:349 +#: js/filelist.js:350 msgid "replaced {new_name} with {old_name}" msgstr "substituido {new_name} por {old_name}" -#: js/filelist.js:349 +#: js/filelist.js:350 msgid "undo" msgstr "desfazer" -#: js/filelist.js:374 +#: js/filelist.js:375 msgid "perform delete operation" msgstr "Executar a tarefa de apagar" -#: js/filelist.js:456 +#: js/filelist.js:457 msgid "1 file uploading" msgstr "A enviar 1 ficheiro" -#: js/filelist.js:459 js/filelist.js:517 +#: js/filelist.js:460 js/filelist.js:518 msgid "files uploading" msgstr "A enviar os ficheiros" @@ -213,26 +214,26 @@ msgstr "Tamanho" msgid "Modified" msgstr "Modificado" -#: js/files.js:765 +#: js/files.js:763 msgid "1 folder" msgstr "1 pasta" -#: js/files.js:767 +#: js/files.js:765 msgid "{count} folders" msgstr "{count} pastas" -#: js/files.js:775 +#: js/files.js:773 msgid "1 file" msgstr "1 ficheiro" -#: js/files.js:777 +#: js/files.js:775 msgid "{count} files" msgstr "{count} ficheiros" #: lib/app.php:73 #, php-format msgid "%s could not be renamed" -msgstr "" +msgstr "%s não pode ser renomeada" #: lib/helper.php:11 templates/index.php:18 msgid "Upload" @@ -328,19 +329,19 @@ msgstr "Os ficheiros estão a ser analisados, por favor aguarde." msgid "Current scanning" msgstr "Análise actual" -#: templates/part.list.php:78 +#: templates/part.list.php:74 msgid "directory" -msgstr "" +msgstr "diretório" -#: templates/part.list.php:80 +#: templates/part.list.php:76 msgid "directories" -msgstr "" +msgstr "diretórios" -#: templates/part.list.php:89 +#: templates/part.list.php:85 msgid "file" msgstr "ficheiro" -#: templates/part.list.php:91 +#: templates/part.list.php:87 msgid "files" msgstr "ficheiros" diff --git a/l10n/pt_PT/files_encryption.po b/l10n/pt_PT/files_encryption.po index 7ad79e88e8..b9a5089858 100644 --- a/l10n/pt_PT/files_encryption.po +++ b/l10n/pt_PT/files_encryption.po @@ -4,14 +4,15 @@ # # Translators: # Mouxy , 2013 +# moura232 , 2013 # Helder Meneses , 2013 msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:12+0200\n" -"PO-Revision-Date: 2013-07-05 00:13+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-22 15:30+0000\n" +"Last-Translator: moura232 \n" "Language-Team: Portuguese (Portugal) (http://www.transifex.com/projects/p/owncloud/language/pt_PT/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -61,7 +62,7 @@ msgid "" "ownCloud system (e.g. your corporate directory). You can update your private" " key password in your personal settings to recover access to your encrypted " "files." -msgstr "" +msgstr "Chave privada não é válida! Provavelmente senha foi alterada fora do sistema ownCloud (exemplo, o diretório corporativo). Pode atualizar password da chave privada em configurações personalizadas para recuperar o acesso aos seus arquivos encriptados." #: hooks/hooks.php:44 msgid "Missing requirements." @@ -72,7 +73,7 @@ msgid "" "Please make sure that PHP 5.3.3 or newer is installed and that the OpenSSL " "PHP extension is enabled and configured properly. For now, the encryption " "app has been disabled." -msgstr "" +msgstr "Por favor, certifique-se que PHP 5.3.3 ou mais recente está instalado e que a extensão PHP OpenSSL está ativada e corretamente configurada. Por agora, a encripitação está desativado." #: js/settings-admin.js:11 msgid "Saving..." @@ -90,7 +91,7 @@ msgstr "" #: templates/invalid_private_key.php:7 msgid "personal settings" -msgstr "" +msgstr "configurações personalizadas " #: templates/settings-admin.php:5 templates/settings-personal.php:4 msgid "Encryption" @@ -157,7 +158,7 @@ msgstr "" #: templates/settings-personal.php:45 msgid "Enable password recovery:" -msgstr "" +msgstr "ativar recuperação do password:" #: templates/settings-personal.php:47 msgid "" diff --git a/l10n/pt_PT/files_external.po b/l10n/pt_PT/files_external.po index 4e37dd6eb3..33b1d070b5 100644 --- a/l10n/pt_PT/files_external.po +++ b/l10n/pt_PT/files_external.po @@ -8,8 +8,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: Mouxy \n" "Language-Team: Portuguese (Portugal) (http://www.transifex.com/projects/p/owncloud/language/pt_PT/)\n" "MIME-Version: 1.0\n" @@ -38,20 +38,20 @@ msgstr "Por favor forneça uma \"app key\" e \"secret\" do Dropbox válidas." msgid "Error configuring Google Drive storage" msgstr "Erro ao configurar o armazenamento do Google Drive" -#: lib/config.php:431 +#: lib/config.php:447 msgid "" "Warning: \"smbclient\" is not installed. Mounting of CIFS/SMB shares " "is not possible. Please ask your system administrator to install it." msgstr "Atenção: O cliente \"smbclient\" não está instalado. Não é possível montar as partilhas CIFS/SMB . Peça ao seu administrador para instalar." -#: lib/config.php:434 +#: lib/config.php:450 msgid "" "Warning: The FTP support in PHP is not enabled or installed. Mounting" " of FTP shares is not possible. Please ask your system administrator to " "install it." msgstr "Aviso: O suporte FTP no PHP não está activate ou instalado. Não é possível montar as partilhas FTP. Peça ao seu administrador para instalar." -#: lib/config.php:437 +#: lib/config.php:453 msgid "" "Warning: The Curl support in PHP is not enabled or installed. " "Mounting of ownCloud / WebDAV or GoogleDrive is not possible. Please ask " diff --git a/l10n/pt_PT/files_sharing.po b/l10n/pt_PT/files_sharing.po index 4d38690dd9..efa7e06de1 100644 --- a/l10n/pt_PT/files_sharing.po +++ b/l10n/pt_PT/files_sharing.po @@ -3,13 +3,14 @@ # This file is distributed under the same license as the PACKAGE package. # # Translators: +# moliveira , 2013 msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:13+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" +"Last-Translator: moliveira \n" "Language-Team: Portuguese (Portugal) (http://www.transifex.com/projects/p/owncloud/language/pt_PT/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -19,7 +20,7 @@ msgstr "" #: templates/authenticate.php:4 msgid "The password is wrong. Try again." -msgstr "" +msgstr "Password errada, por favor tente de novo" #: templates/authenticate.php:7 msgid "Password" @@ -39,18 +40,18 @@ msgstr "%s partilhou a pasta %s consigo" msgid "%s shared the file %s with you" msgstr "%s partilhou o ficheiro %s consigo" -#: templates/public.php:28 templates/public.php:86 +#: templates/public.php:28 templates/public.php:90 msgid "Download" msgstr "Transferir" -#: templates/public.php:44 +#: templates/public.php:45 templates/public.php:48 msgid "Upload" msgstr "Carregar" -#: templates/public.php:54 +#: templates/public.php:58 msgid "Cancel upload" msgstr "Cancelar envio" -#: templates/public.php:83 +#: templates/public.php:87 msgid "No preview available for" msgstr "Não há pré-visualização para" diff --git a/l10n/pt_PT/files_trashbin.po b/l10n/pt_PT/files_trashbin.po index c6cddd6f0e..3d1e245afb 100644 --- a/l10n/pt_PT/files_trashbin.po +++ b/l10n/pt_PT/files_trashbin.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: I Robot \n" "Language-Team: Portuguese (Portugal) (http://www.transifex.com/projects/p/owncloud/language/pt_PT/)\n" "MIME-Version: 1.0\n" diff --git a/l10n/pt_PT/lib.po b/l10n/pt_PT/lib.po index 4e2b5d081d..9e69e8e33c 100644 --- a/l10n/pt_PT/lib.po +++ b/l10n/pt_PT/lib.po @@ -8,8 +8,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:13+0000\n" +"POT-Creation-Date: 2013-07-24 01:55-0400\n" +"PO-Revision-Date: 2013-07-24 05:55+0000\n" "Last-Translator: I Robot \n" "Language-Team: Portuguese (Portugal) (http://www.transifex.com/projects/p/owncloud/language/pt_PT/)\n" "MIME-Version: 1.0\n" @@ -42,27 +42,43 @@ msgstr "Aplicações" msgid "Admin" msgstr "Admin" -#: defaults.php:33 -msgid "web services under your control" +#: app.php:844 +#, php-format +msgid "Failed to upgrade \"%s\"." msgstr "" -#: files.php:210 +#: defaults.php:33 +msgid "web services under your control" +msgstr "serviços web sob o seu controlo" + +#: files.php:66 files.php:98 +#, php-format +msgid "cannot open \"%s\"" +msgstr "" + +#: files.php:226 msgid "ZIP download is turned off." msgstr "Descarregamento em ZIP está desligado." -#: files.php:211 +#: files.php:227 msgid "Files need to be downloaded one by one." msgstr "Os ficheiros precisam de ser descarregados um por um." -#: files.php:212 files.php:245 +#: files.php:228 files.php:256 msgid "Back to Files" msgstr "Voltar a Ficheiros" -#: files.php:242 +#: files.php:253 msgid "Selected files too large to generate zip file." msgstr "Os ficheiros seleccionados são grandes demais para gerar um ficheiro zip." -#: helper.php:236 +#: files.php:254 +msgid "" +"Download the files in smaller chunks, seperately or kindly ask your " +"administrator." +msgstr "" + +#: helper.php:235 msgid "couldn't be determined" msgstr "Não foi possível determinar" @@ -171,77 +187,81 @@ msgstr "O comando gerador de erro foi: \"%s\", nome: %s, password: %s" msgid "PostgreSQL username and/or password not valid" msgstr "Nome de utilizador/password do PostgreSQL inválido" -#: setup.php:42 +#: setup.php:28 msgid "Set an admin username." msgstr "Definir um nome de utilizador de administrador" -#: setup.php:45 +#: setup.php:31 msgid "Set an admin password." msgstr "Definiar uma password de administrador" -#: setup.php:198 +#: setup.php:184 msgid "" "Your web server is not yet properly setup to allow files synchronization " "because the WebDAV interface seems to be broken." msgstr "O seu servidor web não está configurado correctamente para autorizar sincronização de ficheiros, pois o interface WebDAV parece estar com problemas." -#: setup.php:199 +#: setup.php:185 #, php-format msgid "Please double check the installation guides." msgstr "Por favor verifique installation guides." -#: template.php:113 +#: template/functions.php:80 msgid "seconds ago" msgstr "Minutos atrás" -#: template.php:114 +#: template/functions.php:81 msgid "1 minute ago" msgstr "Há 1 minuto" -#: template.php:115 +#: template/functions.php:82 #, php-format msgid "%d minutes ago" msgstr "há %d minutos" -#: template.php:116 +#: template/functions.php:83 msgid "1 hour ago" msgstr "Há 1 horas" -#: template.php:117 +#: template/functions.php:84 #, php-format msgid "%d hours ago" msgstr "Há %d horas" -#: template.php:118 +#: template/functions.php:85 msgid "today" msgstr "hoje" -#: template.php:119 +#: template/functions.php:86 msgid "yesterday" msgstr "ontem" -#: template.php:120 +#: template/functions.php:87 #, php-format msgid "%d days ago" msgstr "há %d dias" -#: template.php:121 +#: template/functions.php:88 msgid "last month" msgstr "ultímo mês" -#: template.php:122 +#: template/functions.php:89 #, php-format msgid "%d months ago" msgstr "Há %d meses atrás" -#: template.php:123 +#: template/functions.php:90 msgid "last year" msgstr "ano passado" -#: template.php:124 +#: template/functions.php:91 msgid "years ago" msgstr "anos atrás" +#: template.php:296 +msgid "Caused by:" +msgstr "" + #: vcategories.php:188 vcategories.php:249 #, php-format msgid "Could not find category \"%s\"" diff --git a/l10n/pt_PT/settings.po b/l10n/pt_PT/settings.po index 9391d4e97d..5e3dd29022 100644 --- a/l10n/pt_PT/settings.po +++ b/l10n/pt_PT/settings.po @@ -5,13 +5,14 @@ # Translators: # bmgmatias , 2013 # Mouxy , 2013 +# Helder Meneses , 2013 # Nelson Rosado , 2013 msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:55+0000\n" "Last-Translator: I Robot \n" "Language-Team: Portuguese (Portugal) (http://www.transifex.com/projects/p/owncloud/language/pt_PT/)\n" "MIME-Version: 1.0\n" @@ -276,62 +277,71 @@ msgstr "Permitir links" msgid "Allow users to share items to the public with links" msgstr "Permitir que os utilizadores partilhem itens com o público utilizando um link." -#: templates/admin.php:152 +#: templates/admin.php:153 +msgid "Allow public uploads" +msgstr "" + +#: templates/admin.php:154 +msgid "" +"Allow users to enable others to upload into their publicly shared folders" +msgstr "" + +#: templates/admin.php:162 msgid "Allow resharing" msgstr "Permitir repartilha" -#: templates/admin.php:153 +#: templates/admin.php:163 msgid "Allow users to share items shared with them again" msgstr "Permitir que os utilizadores partilhem itens partilhados com eles" -#: templates/admin.php:160 +#: templates/admin.php:170 msgid "Allow users to share with anyone" msgstr "Permitir que os utilizadores partilhem com todos" -#: templates/admin.php:163 +#: templates/admin.php:173 msgid "Allow users to only share with users in their groups" msgstr "Permitir que os utilizadores partilhem somente com utilizadores do seu grupo" -#: templates/admin.php:170 +#: templates/admin.php:180 msgid "Security" msgstr "Segurança" -#: templates/admin.php:183 +#: templates/admin.php:193 msgid "Enforce HTTPS" msgstr "Forçar HTTPS" -#: templates/admin.php:184 +#: templates/admin.php:194 msgid "" "Enforces the clients to connect to ownCloud via an encrypted connection." msgstr "Forçar clientes a ligar através de uma ligação encriptada" -#: templates/admin.php:187 +#: templates/admin.php:197 msgid "" "Please connect to this ownCloud instance via HTTPS to enable or disable the " "SSL enforcement." msgstr "Por favor ligue-se ao ownCloud através de uma ligação HTTPS para ligar/desligar o forçar da ligação por SSL" -#: templates/admin.php:197 +#: templates/admin.php:207 msgid "Log" msgstr "Registo" -#: templates/admin.php:198 +#: templates/admin.php:208 msgid "Log level" msgstr "Nível do registo" -#: templates/admin.php:229 +#: templates/admin.php:239 msgid "More" msgstr "Mais" -#: templates/admin.php:230 +#: templates/admin.php:240 msgid "Less" msgstr "Menos" -#: templates/admin.php:236 templates/personal.php:116 +#: templates/admin.php:246 templates/personal.php:116 msgid "Version" msgstr "Versão" -#: templates/admin.php:240 templates/personal.php:119 +#: templates/admin.php:250 templates/personal.php:119 msgid "" "Developed by the ownCloud community, the access your Files via WebDAV" +msgstr "Use este endereço para aceder aos seus ficheiros via WebDav" #: templates/users.php:21 msgid "Login Name" diff --git a/l10n/pt_PT/user_ldap.po b/l10n/pt_PT/user_ldap.po index 3809ce19f4..f0ab92784a 100644 --- a/l10n/pt_PT/user_ldap.po +++ b/l10n/pt_PT/user_ldap.po @@ -3,14 +3,16 @@ # This file is distributed under the same license as the PACKAGE package. # # Translators: +# Bruno Martins , 2013 # Mouxy , 2013 +# Helder Meneses , 2013 msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" -"Last-Translator: Mouxy \n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" +"Last-Translator: Bruno Martins \n" "Language-Team: Portuguese (Portugal) (http://www.transifex.com/projects/p/owncloud/language/pt_PT/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -359,7 +361,7 @@ msgid "" "achieve a similar behaviour as before ownCloud 5 enter the user display name" " attribute in the following field. Leave it empty for default behaviour. " "Changes will have effect only on newly mapped (added) LDAP users." -msgstr "" +msgstr "Por padrão o nome de utilizador interno vai ser criado através do atributo UUID. Desta forma é assegurado que o nome é único e os caracteres nao necessitam de serem convertidos. O nome interno tem a restrição de que apenas estes caracteres são permitidos: [ a-zA-Z0-9_.@- ]. Outros caracteres são substituidos pela sua correspondência ASCII ou simplesmente omitidos. Mesmo assim, quando for detetado uma colisão irá ser acrescentado um número. O nome interno é usado para identificar o utilizador internamente. É também o nome utilizado para a pasta inicial no ownCloud. É também parte de URLs remotos, como por exemplo os serviços *DAV. Com esta definição, o comportamento padrão é pode ser sobreposto. Para obter o mesmo comportamento antes do ownCloud 5 introduza o atributo do nome no campo seguinte. Deixe vazio para obter o comportamento padrão. As alterações apenas serão feitas para novos utilizadores LDAP." #: templates/settings.php:103 msgid "Internal Username Attribute:" @@ -378,7 +380,7 @@ msgid "" "You must make sure that the attribute of your choice can be fetched for both" " users and groups and it is unique. Leave it empty for default behaviour. " "Changes will have effect only on newly mapped (added) LDAP users and groups." -msgstr "" +msgstr "Por defeito, o ownCloud deteta automaticamente o atributo UUID. Este atributo é usado para identificar inequivocamente grupos e utilizadores LDAP. Igualmente, o nome de utilizador interno é criado com base no UUID, se o contrário não for especificado. Pode sobrepor esta definição colocando um atributo à sua escolha. Tenha em atenção que esse atributo deve ser válido tanto para grupos como para utilizadores, e que é único. Deixe em branco para optar pelo comportamento por defeito. Estas alteração apenas terão efeito em novos utilizadores e grupos mapeados (adicionados)." #: templates/settings.php:106 msgid "UUID Attribute:" @@ -401,7 +403,7 @@ msgid "" "configuration sensitive, it affects all LDAP configurations! Do never clear " "the mappings in a production environment. Only clear mappings in a testing " "or experimental stage." -msgstr "" +msgstr "O ownCloud usa nomes de utilizadores para guardar e atribuir (meta) dados. Para identificar com precisão os utilizadores, cada utilizador de LDAP tem um nome de utilizador interno. Isto requer um mapeamento entre o utilizador LDAP e o utilizador ownCloud. Adicionalmente, o DN é colocado em cache para reduzir a interação com LDAP, porém não é usado para identificação. Se o DN muda, essas alterações serão vistas pelo ownCloud. O nome interno do ownCloud é usado em todo o lado, no ownCloud. Limpar os mapeamentos deixará vestígios em todo o lado. A limpeza dos mapeamentos não é sensível à configuração, pois afeta todas as configurações de LDAP! Nunca limpe os mapeamentos num ambiente de produção, apenas o faça numa fase de testes ou experimental." #: templates/settings.php:109 msgid "Clear Username-LDAP User Mapping" diff --git a/l10n/ro/core.po b/l10n/ro/core.po index 13b672d7b5..092e28be36 100644 --- a/l10n/ro/core.po +++ b/l10n/ro/core.po @@ -5,12 +5,13 @@ # Translators: # dimaursu16 , 2013 # ripkid666 , 2013 +# sergiu_sechel , 2013 msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:12+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:04+0000\n" "Last-Translator: I Robot \n" "Language-Team: Romanian (http://www.transifex.com/projects/p/owncloud/language/ro/)\n" "MIME-Version: 1.0\n" @@ -139,59 +140,59 @@ msgstr "Noiembrie" msgid "December" msgstr "Decembrie" -#: js/js.js:289 +#: js/js.js:293 msgid "Settings" msgstr "Setări" -#: js/js.js:721 +#: js/js.js:715 msgid "seconds ago" msgstr "secunde în urmă" -#: js/js.js:722 +#: js/js.js:716 msgid "1 minute ago" msgstr "1 minut în urmă" -#: js/js.js:723 +#: js/js.js:717 msgid "{minutes} minutes ago" msgstr "{minutes} minute in urma" -#: js/js.js:724 +#: js/js.js:718 msgid "1 hour ago" msgstr "Acum o ora" -#: js/js.js:725 +#: js/js.js:719 msgid "{hours} hours ago" msgstr "{hours} ore în urmă" -#: js/js.js:726 +#: js/js.js:720 msgid "today" msgstr "astăzi" -#: js/js.js:727 +#: js/js.js:721 msgid "yesterday" msgstr "ieri" -#: js/js.js:728 +#: js/js.js:722 msgid "{days} days ago" msgstr "{days} zile in urma" -#: js/js.js:729 +#: js/js.js:723 msgid "last month" msgstr "ultima lună" -#: js/js.js:730 +#: js/js.js:724 msgid "{months} months ago" msgstr "{months} luni în urmă" -#: js/js.js:731 +#: js/js.js:725 msgid "months ago" msgstr "luni în urmă" -#: js/js.js:732 +#: js/js.js:726 msgid "last year" msgstr "ultimul an" -#: js/js.js:733 +#: js/js.js:727 msgid "years ago" msgstr "ani în urmă" @@ -227,8 +228,8 @@ msgstr "Tipul obiectului nu a fost specificat" #: js/oc-vcategories.js:14 js/oc-vcategories.js:80 js/oc-vcategories.js:95 #: js/oc-vcategories.js:110 js/oc-vcategories.js:125 js/oc-vcategories.js:136 #: js/oc-vcategories.js:172 js/oc-vcategories.js:189 js/oc-vcategories.js:195 -#: js/oc-vcategories.js:199 js/share.js:136 js/share.js:143 js/share.js:618 -#: js/share.js:630 +#: js/oc-vcategories.js:199 js/share.js:136 js/share.js:143 js/share.js:625 +#: js/share.js:637 msgid "Error" msgstr "Eroare" @@ -248,7 +249,7 @@ msgstr "Partajat" msgid "Share" msgstr "Partajează" -#: js/share.js:125 js/share.js:658 +#: js/share.js:125 js/share.js:665 msgid "Error while sharing" msgstr "Eroare la partajare" @@ -268,114 +269,114 @@ msgstr "Distribuie cu tine si grupul {group} de {owner}" msgid "Shared with you by {owner}" msgstr "Distribuie cu tine de {owner}" -#: js/share.js:172 +#: js/share.js:177 msgid "Share with" msgstr "Partajat cu" -#: js/share.js:177 +#: js/share.js:182 msgid "Share with link" msgstr "Partajare cu legătură" -#: js/share.js:180 +#: js/share.js:185 msgid "Password protect" msgstr "Protejare cu parolă" -#: js/share.js:182 templates/installation.php:54 templates/login.php:26 +#: js/share.js:187 templates/installation.php:54 templates/login.php:26 msgid "Password" msgstr "Parolă" -#: js/share.js:186 +#: js/share.js:192 msgid "Allow Public Upload" -msgstr "" +msgstr "Permiteţi încărcarea publică." -#: js/share.js:189 +#: js/share.js:196 msgid "Email link to person" msgstr "Expediază legătura prin poșta electronică" -#: js/share.js:190 +#: js/share.js:197 msgid "Send" msgstr "Expediază" -#: js/share.js:195 +#: js/share.js:202 msgid "Set expiration date" msgstr "Specifică data expirării" -#: js/share.js:196 +#: js/share.js:203 msgid "Expiration date" msgstr "Data expirării" -#: js/share.js:228 +#: js/share.js:235 msgid "Share via email:" msgstr "Distribuie prin email:" -#: js/share.js:230 +#: js/share.js:237 msgid "No people found" msgstr "Nici o persoană găsită" -#: js/share.js:268 +#: js/share.js:275 msgid "Resharing is not allowed" msgstr "Repartajarea nu este permisă" -#: js/share.js:304 +#: js/share.js:311 msgid "Shared in {item} with {user}" msgstr "Distribuie in {item} si {user}" -#: js/share.js:325 +#: js/share.js:332 msgid "Unshare" msgstr "Anulare partajare" -#: js/share.js:337 +#: js/share.js:344 msgid "can edit" msgstr "poate edita" -#: js/share.js:339 +#: js/share.js:346 msgid "access control" msgstr "control acces" -#: js/share.js:342 +#: js/share.js:349 msgid "create" msgstr "creare" -#: js/share.js:345 +#: js/share.js:352 msgid "update" msgstr "actualizare" -#: js/share.js:348 +#: js/share.js:355 msgid "delete" msgstr "ștergere" -#: js/share.js:351 +#: js/share.js:358 msgid "share" msgstr "partajare" -#: js/share.js:385 js/share.js:605 +#: js/share.js:392 js/share.js:612 msgid "Password protected" msgstr "Protejare cu parolă" -#: js/share.js:618 +#: js/share.js:625 msgid "Error unsetting expiration date" msgstr "Eroare la anularea datei de expirare" -#: js/share.js:630 +#: js/share.js:637 msgid "Error setting expiration date" msgstr "Eroare la specificarea datei de expirare" -#: js/share.js:645 +#: js/share.js:652 msgid "Sending ..." msgstr "Se expediază..." -#: js/share.js:656 +#: js/share.js:663 msgid "Email sent" msgstr "Mesajul a fost expediat" -#: js/update.js:14 +#: js/update.js:17 msgid "" "The update was unsuccessful. Please report this issue to the ownCloud " "community." msgstr "Modernizarea a eșuat! Te rugam sa raportezi problema aici.." -#: js/update.js:18 +#: js/update.js:21 msgid "The update was successful. Redirecting you to ownCloud now." msgstr "Modernizare reusita! Vei fii redirectionat!" @@ -467,7 +468,7 @@ msgstr "Acces interzis" msgid "Cloud not found" msgstr "Nu s-a găsit" -#: templates/altmail.php:2 +#: templates/altmail.php:4 #, php-format msgid "" "Hey there,\n" @@ -478,10 +479,6 @@ msgid "" "Cheers!" msgstr "Salutare,\n\nVă aduc la cunoștință că %s a partajat %s cu tine.\nAccesează la: %s\n\nNumai bine!" -#: templates/altmail.php:7 templates/mail.php:24 -msgid "web services under your control" -msgstr "servicii web controlate de tine" - #: templates/edit_categories_dialog.php:4 msgid "Edit categories" msgstr "Editează categorii" @@ -613,7 +610,7 @@ msgstr "Autentificare" msgid "Alternative Logins" msgstr "Conectări alternative" -#: templates/mail.php:15 +#: templates/mail.php:16 #, php-format msgid "" "Hey there,

    just letting you know that %s shared »%s« with you.
    , 2013 # ripkid666 , 2013 +# sergiu_sechel , 2013 msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:12+0200\n" -"PO-Revision-Date: 2013-07-04 07:55+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:04+0000\n" "Last-Translator: I Robot \n" "Language-Team: Romanian (http://www.transifex.com/projects/p/owncloud/language/ro/)\n" "MIME-Version: 1.0\n" @@ -22,61 +23,61 @@ msgstr "" #: ajax/move.php:17 #, php-format msgid "Could not move %s - File with this name already exists" -msgstr "Nu se poate de mutat %s - Fișier cu acest nume deja există" +msgstr "%s nu se poate muta - Fișierul cu acest nume există deja " #: ajax/move.php:27 ajax/move.php:30 #, php-format msgid "Could not move %s" msgstr "Nu s-a putut muta %s" -#: ajax/upload.php:16 ajax/upload.php:39 +#: ajax/upload.php:16 ajax/upload.php:45 msgid "Unable to set upload directory." -msgstr "" +msgstr "Imposibil de a seta directorul pentru incărcare." -#: ajax/upload.php:23 +#: ajax/upload.php:22 msgid "Invalid Token" -msgstr "" +msgstr "Jeton Invalid" -#: ajax/upload.php:55 +#: ajax/upload.php:59 msgid "No file was uploaded. Unknown error" msgstr "Nici un fișier nu a fost încărcat. Eroare necunoscută" -#: ajax/upload.php:62 +#: ajax/upload.php:66 msgid "There is no error, the file uploaded with success" msgstr "Nu a apărut nici o eroare, fișierul a fost încărcat cu succes" -#: ajax/upload.php:63 +#: ajax/upload.php:67 msgid "" "The uploaded file exceeds the upload_max_filesize directive in php.ini: " msgstr "Fisierul incarcat depaseste upload_max_filesize permisi in php.ini: " -#: ajax/upload.php:65 +#: ajax/upload.php:69 msgid "" "The uploaded file exceeds the MAX_FILE_SIZE directive that was specified in " "the HTML form" msgstr "Fișierul are o dimensiune mai mare decât variabile MAX_FILE_SIZE specificată în formularul HTML" -#: ajax/upload.php:66 +#: ajax/upload.php:70 msgid "The uploaded file was only partially uploaded" msgstr "Fișierul a fost încărcat doar parțial" -#: ajax/upload.php:67 +#: ajax/upload.php:71 msgid "No file was uploaded" msgstr "Nu a fost încărcat nici un fișier" -#: ajax/upload.php:68 +#: ajax/upload.php:72 msgid "Missing a temporary folder" msgstr "Lipsește un director temporar" -#: ajax/upload.php:69 +#: ajax/upload.php:73 msgid "Failed to write to disk" msgstr "Eroare la scriere pe disc" -#: ajax/upload.php:87 +#: ajax/upload.php:91 msgid "Not enough storage available" msgstr "Nu este suficient spațiu disponibil" -#: ajax/upload.php:119 +#: ajax/upload.php:123 msgid "Invalid directory." msgstr "Director invalid." @@ -130,43 +131,43 @@ msgstr "Șterge" msgid "Rename" msgstr "Redenumire" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:464 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:465 msgid "Pending" msgstr "În așteptare" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "{new_name} already exists" msgstr "{new_name} deja exista" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "replace" msgstr "înlocuire" -#: js/filelist.js:302 +#: js/filelist.js:303 msgid "suggest name" msgstr "sugerează nume" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "cancel" msgstr "anulare" -#: js/filelist.js:349 +#: js/filelist.js:350 msgid "replaced {new_name} with {old_name}" msgstr "{new_name} inlocuit cu {old_name}" -#: js/filelist.js:349 +#: js/filelist.js:350 msgid "undo" msgstr "Anulează ultima acțiune" -#: js/filelist.js:374 +#: js/filelist.js:375 msgid "perform delete operation" msgstr "efectueaza operatiunea de stergere" -#: js/filelist.js:456 +#: js/filelist.js:457 msgid "1 file uploading" msgstr "un fișier se încarcă" -#: js/filelist.js:459 js/filelist.js:517 +#: js/filelist.js:460 js/filelist.js:518 msgid "files uploading" msgstr "fișiere se încarcă" @@ -214,26 +215,26 @@ msgstr "Dimensiune" msgid "Modified" msgstr "Modificat" -#: js/files.js:765 +#: js/files.js:763 msgid "1 folder" msgstr "1 folder" -#: js/files.js:767 +#: js/files.js:765 msgid "{count} folders" msgstr "{count} foldare" -#: js/files.js:775 +#: js/files.js:773 msgid "1 file" msgstr "1 fisier" -#: js/files.js:777 +#: js/files.js:775 msgid "{count} files" msgstr "{count} fisiere" #: lib/app.php:73 #, php-format msgid "%s could not be renamed" -msgstr "" +msgstr "%s nu a putut fi redenumit" #: lib/helper.php:11 templates/index.php:18 msgid "Upload" @@ -329,19 +330,19 @@ msgstr "Fișierele sunt scanate, te rog așteptă." msgid "Current scanning" msgstr "În curs de scanare" -#: templates/part.list.php:78 +#: templates/part.list.php:74 msgid "directory" -msgstr "" +msgstr "catalog" -#: templates/part.list.php:80 +#: templates/part.list.php:76 msgid "directories" -msgstr "" +msgstr "cataloage" -#: templates/part.list.php:89 +#: templates/part.list.php:85 msgid "file" msgstr "fișier" -#: templates/part.list.php:91 +#: templates/part.list.php:87 msgid "files" msgstr "fișiere" diff --git a/l10n/ro/files_external.po b/l10n/ro/files_external.po index a8f053485c..3d7a2b5f8c 100644 --- a/l10n/ro/files_external.po +++ b/l10n/ro/files_external.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: I Robot \n" "Language-Team: Romanian (http://www.transifex.com/projects/p/owncloud/language/ro/)\n" "MIME-Version: 1.0\n" @@ -37,20 +37,20 @@ msgstr "Prezintă te rog o cheie de Dropbox validă și parola" msgid "Error configuring Google Drive storage" msgstr "Eroare la configurarea mediului de stocare Google Drive" -#: lib/config.php:431 +#: lib/config.php:447 msgid "" "Warning: \"smbclient\" is not installed. Mounting of CIFS/SMB shares " "is not possible. Please ask your system administrator to install it." msgstr "Atenție: \"smbclient\" nu este instalat. Montarea mediilor CIFS/SMB partajate nu este posibilă. Solicită administratorului sistemului tău să îl instaleaze." -#: lib/config.php:434 +#: lib/config.php:450 msgid "" "Warning: The FTP support in PHP is not enabled or installed. Mounting" " of FTP shares is not possible. Please ask your system administrator to " "install it." msgstr "Atenție: suportul pentru FTP în PHP nu este activat sau instalat. Montarea mediilor FPT partajate nu este posibilă. Solicită administratorului sistemului tău să îl instaleze." -#: lib/config.php:437 +#: lib/config.php:453 msgid "" "Warning: The Curl support in PHP is not enabled or installed. " "Mounting of ownCloud / WebDAV or GoogleDrive is not possible. Please ask " diff --git a/l10n/ro/files_sharing.po b/l10n/ro/files_sharing.po index 36d3190be8..16ec0309ae 100644 --- a/l10n/ro/files_sharing.po +++ b/l10n/ro/files_sharing.po @@ -3,13 +3,14 @@ # This file is distributed under the same license as the PACKAGE package. # # Translators: +# sergiu_sechel , 2013 msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:13+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" +"Last-Translator: sergiu_sechel \n" "Language-Team: Romanian (http://www.transifex.com/projects/p/owncloud/language/ro/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -19,7 +20,7 @@ msgstr "" #: templates/authenticate.php:4 msgid "The password is wrong. Try again." -msgstr "" +msgstr "Parola este incorectă. Încercaţi din nou." #: templates/authenticate.php:7 msgid "Password" @@ -39,18 +40,18 @@ msgstr "%s a partajat directorul %s cu tine" msgid "%s shared the file %s with you" msgstr "%s a partajat fișierul %s cu tine" -#: templates/public.php:28 templates/public.php:86 +#: templates/public.php:28 templates/public.php:90 msgid "Download" msgstr "Descarcă" -#: templates/public.php:44 +#: templates/public.php:45 templates/public.php:48 msgid "Upload" msgstr "Încărcare" -#: templates/public.php:54 +#: templates/public.php:58 msgid "Cancel upload" msgstr "Anulează încărcarea" -#: templates/public.php:83 +#: templates/public.php:87 msgid "No preview available for" msgstr "Nici o previzualizare disponibilă pentru " diff --git a/l10n/ro/files_trashbin.po b/l10n/ro/files_trashbin.po index cadca65fea..22971b884b 100644 --- a/l10n/ro/files_trashbin.po +++ b/l10n/ro/files_trashbin.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: I Robot \n" "Language-Team: Romanian (http://www.transifex.com/projects/p/owncloud/language/ro/)\n" "MIME-Version: 1.0\n" diff --git a/l10n/ro/lib.po b/l10n/ro/lib.po index 4909d62b61..9dcc447b2b 100644 --- a/l10n/ro/lib.po +++ b/l10n/ro/lib.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:13+0000\n" +"POT-Creation-Date: 2013-07-24 01:55-0400\n" +"PO-Revision-Date: 2013-07-24 05:55+0000\n" "Last-Translator: I Robot \n" "Language-Team: Romanian (http://www.transifex.com/projects/p/owncloud/language/ro/)\n" "MIME-Version: 1.0\n" @@ -41,27 +41,43 @@ msgstr "Aplicații" msgid "Admin" msgstr "Admin" -#: defaults.php:33 -msgid "web services under your control" +#: app.php:844 +#, php-format +msgid "Failed to upgrade \"%s\"." msgstr "" -#: files.php:210 +#: defaults.php:33 +msgid "web services under your control" +msgstr "servicii web controlate de tine" + +#: files.php:66 files.php:98 +#, php-format +msgid "cannot open \"%s\"" +msgstr "" + +#: files.php:226 msgid "ZIP download is turned off." msgstr "Descărcarea ZIP este dezactivată." -#: files.php:211 +#: files.php:227 msgid "Files need to be downloaded one by one." msgstr "Fișierele trebuie descărcate unul câte unul." -#: files.php:212 files.php:245 +#: files.php:228 files.php:256 msgid "Back to Files" msgstr "Înapoi la fișiere" -#: files.php:242 +#: files.php:253 msgid "Selected files too large to generate zip file." msgstr "Fișierele selectate sunt prea mari pentru a genera un fișier zip." -#: helper.php:236 +#: files.php:254 +msgid "" +"Download the files in smaller chunks, seperately or kindly ask your " +"administrator." +msgstr "" + +#: helper.php:235 msgid "couldn't be determined" msgstr "nu poate fi determinat" @@ -170,77 +186,81 @@ msgstr "" msgid "PostgreSQL username and/or password not valid" msgstr "" -#: setup.php:42 +#: setup.php:28 msgid "Set an admin username." msgstr "" -#: setup.php:45 +#: setup.php:31 msgid "Set an admin password." msgstr "" -#: setup.php:198 +#: setup.php:184 msgid "" "Your web server is not yet properly setup to allow files synchronization " "because the WebDAV interface seems to be broken." -msgstr "" +msgstr "Serverul de web nu este încă setat corespunzător pentru a permite sincronizarea fișierelor deoarece interfața WebDAV pare a fi întreruptă." -#: setup.php:199 +#: setup.php:185 #, php-format msgid "Please double check the installation guides." -msgstr "" +msgstr "Vă rugăm să verificați ghiduri de instalare." -#: template.php:113 +#: template/functions.php:80 msgid "seconds ago" msgstr "secunde în urmă" -#: template.php:114 +#: template/functions.php:81 msgid "1 minute ago" msgstr "1 minut în urmă" -#: template.php:115 +#: template/functions.php:82 #, php-format msgid "%d minutes ago" msgstr "%d minute în urmă" -#: template.php:116 +#: template/functions.php:83 msgid "1 hour ago" msgstr "Acum o ora" -#: template.php:117 +#: template/functions.php:84 #, php-format msgid "%d hours ago" msgstr "%d ore in urma" -#: template.php:118 +#: template/functions.php:85 msgid "today" msgstr "astăzi" -#: template.php:119 +#: template/functions.php:86 msgid "yesterday" msgstr "ieri" -#: template.php:120 +#: template/functions.php:87 #, php-format msgid "%d days ago" msgstr "%d zile în urmă" -#: template.php:121 +#: template/functions.php:88 msgid "last month" msgstr "ultima lună" -#: template.php:122 +#: template/functions.php:89 #, php-format msgid "%d months ago" msgstr "%d luni in urma" -#: template.php:123 +#: template/functions.php:90 msgid "last year" msgstr "ultimul an" -#: template.php:124 +#: template/functions.php:91 msgid "years ago" msgstr "ani în urmă" +#: template.php:296 +msgid "Caused by:" +msgstr "" + #: vcategories.php:188 vcategories.php:249 #, php-format msgid "Could not find category \"%s\"" diff --git a/l10n/ro/settings.po b/l10n/ro/settings.po index 612326efce..05e60336ba 100644 --- a/l10n/ro/settings.po +++ b/l10n/ro/settings.po @@ -3,12 +3,13 @@ # This file is distributed under the same license as the PACKAGE package. # # Translators: +# sergiu_sechel , 2013 msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:55+0000\n" "Last-Translator: I Robot \n" "Language-Team: Romanian (http://www.transifex.com/projects/p/owncloud/language/ro/)\n" "MIME-Version: 1.0\n" @@ -19,7 +20,7 @@ msgstr "" #: ajax/apps/ocs.php:20 msgid "Unable to load list from App Store" -msgstr "Imposibil de încărcat lista din App Store" +msgstr "Imposibil de actualizat lista din App Store." #: ajax/changedisplayname.php:25 ajax/removeuser.php:15 ajax/setquota.php:17 #: ajax/togglegroups.php:20 @@ -28,11 +29,11 @@ msgstr "Eroare la autentificare" #: ajax/changedisplayname.php:31 msgid "Your display name has been changed." -msgstr "" +msgstr "Numele afişat a fost schimbat." #: ajax/changedisplayname.php:34 msgid "Unable to change display name" -msgstr "" +msgstr "Imposibil de schimbat numele afişat." #: ajax/creategroup.php:10 msgid "Group already exists" @@ -86,11 +87,11 @@ msgstr "Nu s-a putut elimina utilizatorul din grupul %s" #: ajax/updateapp.php:14 msgid "Couldn't update app." -msgstr "" +msgstr "Aplicaţia nu s-a putut actualiza." #: js/apps.js:35 msgid "Update to {appversion}" -msgstr "" +msgstr "Actualizat la {versiuneaaplicaţiei}" #: js/apps.js:41 js/apps.js:81 msgid "Disable" @@ -102,7 +103,7 @@ msgstr "Activare" #: js/apps.js:60 msgid "Please wait...." -msgstr "" +msgstr "Aşteptaţi vă rog...." #: js/apps.js:64 js/apps.js:76 js/apps.js:85 js/apps.js:98 msgid "Error" @@ -110,15 +111,15 @@ msgstr "Eroare" #: js/apps.js:95 msgid "Updating...." -msgstr "" +msgstr "Actualizare în curs...." #: js/apps.js:98 msgid "Error while updating app" -msgstr "" +msgstr "Eroare în timpul actualizării aplicaţiei" #: js/apps.js:101 msgid "Updated" -msgstr "" +msgstr "Actualizat" #: js/personal.js:118 msgid "Saving..." @@ -134,7 +135,7 @@ msgstr "Anulează ultima acțiune" #: js/users.js:79 msgid "Unable to remove user" -msgstr "" +msgstr "Imposibil de eliminat utilizatorul" #: js/users.js:92 templates/users.php:26 templates/users.php:87 #: templates/users.php:112 @@ -151,19 +152,19 @@ msgstr "Șterge" #: js/users.js:269 msgid "add group" -msgstr "" +msgstr "adăugaţi grupul" #: js/users.js:428 msgid "A valid username must be provided" -msgstr "" +msgstr "Trebuie să furnizaţi un nume de utilizator valid" #: js/users.js:429 js/users.js:435 js/users.js:450 msgid "Error creating user" -msgstr "" +msgstr "Eroare la crearea utilizatorului" #: js/users.js:434 msgid "A valid password must be provided" -msgstr "" +msgstr "Trebuie să furnizaţi o parolă validă" #: personal.php:37 personal.php:38 msgid "__language_name__" @@ -184,32 +185,32 @@ msgstr "Directorul tău de date și fișierele tale probabil sunt accesibile pri #: templates/admin.php:31 msgid "Setup Warning" -msgstr "" +msgstr "Atenţie la implementare" #: templates/admin.php:34 msgid "" "Your web server is not yet properly setup to allow files synchronization " "because the WebDAV interface seems to be broken." -msgstr "" +msgstr "Serverul de web nu este încă setat corespunzător pentru a permite sincronizarea fișierelor deoarece interfața WebDAV pare a fi întreruptă." #: templates/admin.php:35 #, php-format msgid "Please double check the installation guides." -msgstr "" +msgstr "Vă rugăm să verificați ghiduri de instalare." #: templates/admin.php:46 msgid "Module 'fileinfo' missing" -msgstr "" +msgstr "Modulul \"Fileinfo\" lipsește" #: templates/admin.php:49 msgid "" "The PHP module 'fileinfo' is missing. We strongly recommend to enable this " "module to get best results with mime-type detection." -msgstr "" +msgstr "Modulul PHP \"Fileinfo\" lipsește. Va recomandam sa activaţi acest modul pentru a obține cele mai bune rezultate cu detectarea mime-type." #: templates/admin.php:60 msgid "Locale not working" -msgstr "" +msgstr "Localizarea nu funcționează" #: templates/admin.php:65 #, php-format @@ -217,11 +218,11 @@ msgid "" "This ownCloud server can't set system locale to %s. This means that there " "might be problems with certain characters in file names. We strongly suggest" " to install the required packages on your system to support %s." -msgstr "" +msgstr "Acest server ownCloud nu poate seta sistemul de localizare pentru% s. Acest lucru înseamnă că ar putea exista probleme cu anumite caractere în numele de fișiere. Vă recomandăm să instalați pachetele necesare pe sistemul dumneavoastră pentru a sprijini% s." #: templates/admin.php:77 msgid "Internet connection not working" -msgstr "" +msgstr "Conexiunea la internet nu funcționează" #: templates/admin.php:80 msgid "" @@ -231,7 +232,7 @@ msgid "" "remote and sending of notification emails might also not work. We suggest to" " enable internet connection for this server if you want to have all features" " of ownCloud." -msgstr "" +msgstr "Acest server ownCloud nu are nici o conexiune la internet activă. Acest lucru înseamnă că anumite caracteristici, cum ar fi montarea mediilor de stocare externe, notificări despre actualizări sau instalarea de aplicatii tereţe nu funcționează. Accesarea fișierelor de la distanță și trimiterea de e-mailuri de notificare s-ar putea, de asemenea, să nu funcționeze. Vă sugerăm să permiteţi conectarea la Internet pentru acest server, dacă doriți să aveți toate caracteristicile de oferite de ownCloud." #: templates/admin.php:94 msgid "Cron" @@ -273,62 +274,71 @@ msgstr "Pemite legături" msgid "Allow users to share items to the public with links" msgstr "Permite utilizatorilor să partajeze fișiere în mod public prin legături" -#: templates/admin.php:152 +#: templates/admin.php:153 +msgid "Allow public uploads" +msgstr "" + +#: templates/admin.php:154 +msgid "" +"Allow users to enable others to upload into their publicly shared folders" +msgstr "" + +#: templates/admin.php:162 msgid "Allow resharing" msgstr "Permite repartajarea" -#: templates/admin.php:153 +#: templates/admin.php:163 msgid "Allow users to share items shared with them again" msgstr "Permite utilizatorilor să repartajeze fișiere partajate cu ei" -#: templates/admin.php:160 +#: templates/admin.php:170 msgid "Allow users to share with anyone" msgstr "Permite utilizatorilor să partajeze cu oricine" -#: templates/admin.php:163 +#: templates/admin.php:173 msgid "Allow users to only share with users in their groups" msgstr "Permite utilizatorilor să partajeze doar cu utilizatori din același grup" -#: templates/admin.php:170 +#: templates/admin.php:180 msgid "Security" -msgstr "" +msgstr "Securitate" -#: templates/admin.php:183 +#: templates/admin.php:193 msgid "Enforce HTTPS" msgstr "" -#: templates/admin.php:184 +#: templates/admin.php:194 msgid "" "Enforces the clients to connect to ownCloud via an encrypted connection." msgstr "" -#: templates/admin.php:187 +#: templates/admin.php:197 msgid "" "Please connect to this ownCloud instance via HTTPS to enable or disable the " "SSL enforcement." msgstr "" -#: templates/admin.php:197 +#: templates/admin.php:207 msgid "Log" msgstr "Jurnal de activitate" -#: templates/admin.php:198 +#: templates/admin.php:208 msgid "Log level" msgstr "Nivel jurnal" -#: templates/admin.php:229 +#: templates/admin.php:239 msgid "More" msgstr "Mai mult" -#: templates/admin.php:230 +#: templates/admin.php:240 msgid "Less" msgstr "Mai puțin" -#: templates/admin.php:236 templates/personal.php:116 +#: templates/admin.php:246 templates/personal.php:116 msgid "Version" msgstr "Versiunea" -#: templates/admin.php:240 templates/personal.php:119 +#: templates/admin.php:250 templates/personal.php:119 msgid "" "Developed by the ownCloud community, the access your Files via WebDAV" +msgstr "" #: templates/users.php:21 msgid "Login Name" diff --git a/l10n/ro/user_ldap.po b/l10n/ro/user_ldap.po index b3d9bbb73b..91d40075eb 100644 --- a/l10n/ro/user_ldap.po +++ b/l10n/ro/user_ldap.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: I Robot \n" "Language-Team: Romanian (http://www.transifex.com/projects/p/owncloud/language/ro/)\n" "MIME-Version: 1.0\n" diff --git a/l10n/ru/core.po b/l10n/ru/core.po index 71329669d0..797591a1ee 100644 --- a/l10n/ru/core.po +++ b/l10n/ru/core.po @@ -6,15 +6,16 @@ # alfsoft , 2013 # lord93 , 2013 # foool , 2013 +# Victor Bravo <>, 2013 # Vyacheslav Muranov , 2013 # Langaru , 2013 msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:12+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:04+0000\n" +"Last-Translator: Victor Bravo <>\n" "Language-Team: Russian (http://www.transifex.com/projects/p/owncloud/language/ru/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -142,59 +143,59 @@ msgstr "Ноябрь" msgid "December" msgstr "Декабрь" -#: js/js.js:289 +#: js/js.js:293 msgid "Settings" msgstr "Конфигурация" -#: js/js.js:721 +#: js/js.js:715 msgid "seconds ago" msgstr "несколько секунд назад" -#: js/js.js:722 +#: js/js.js:716 msgid "1 minute ago" msgstr "1 минуту назад" -#: js/js.js:723 +#: js/js.js:717 msgid "{minutes} minutes ago" msgstr "{minutes} минут назад" -#: js/js.js:724 +#: js/js.js:718 msgid "1 hour ago" msgstr "час назад" -#: js/js.js:725 +#: js/js.js:719 msgid "{hours} hours ago" msgstr "{hours} часов назад" -#: js/js.js:726 +#: js/js.js:720 msgid "today" msgstr "сегодня" -#: js/js.js:727 +#: js/js.js:721 msgid "yesterday" msgstr "вчера" -#: js/js.js:728 +#: js/js.js:722 msgid "{days} days ago" msgstr "{days} дней назад" -#: js/js.js:729 +#: js/js.js:723 msgid "last month" msgstr "в прошлом месяце" -#: js/js.js:730 +#: js/js.js:724 msgid "{months} months ago" msgstr "{months} месяцев назад" -#: js/js.js:731 +#: js/js.js:725 msgid "months ago" msgstr "несколько месяцев назад" -#: js/js.js:732 +#: js/js.js:726 msgid "last year" msgstr "в прошлом году" -#: js/js.js:733 +#: js/js.js:727 msgid "years ago" msgstr "несколько лет назад" @@ -230,8 +231,8 @@ msgstr "Тип объекта не указан" #: js/oc-vcategories.js:14 js/oc-vcategories.js:80 js/oc-vcategories.js:95 #: js/oc-vcategories.js:110 js/oc-vcategories.js:125 js/oc-vcategories.js:136 #: js/oc-vcategories.js:172 js/oc-vcategories.js:189 js/oc-vcategories.js:195 -#: js/oc-vcategories.js:199 js/share.js:136 js/share.js:143 js/share.js:618 -#: js/share.js:630 +#: js/oc-vcategories.js:199 js/share.js:136 js/share.js:143 js/share.js:625 +#: js/share.js:637 msgid "Error" msgstr "Ошибка" @@ -251,7 +252,7 @@ msgstr "Общие" msgid "Share" msgstr "Открыть доступ" -#: js/share.js:125 js/share.js:658 +#: js/share.js:125 js/share.js:665 msgid "Error while sharing" msgstr "Ошибка при открытии доступа" @@ -271,114 +272,114 @@ msgstr "{owner} открыл доступ для Вас и группы {group} msgid "Shared with you by {owner}" msgstr "{owner} открыл доступ для Вас" -#: js/share.js:172 +#: js/share.js:177 msgid "Share with" msgstr "Поделиться с" -#: js/share.js:177 +#: js/share.js:182 msgid "Share with link" msgstr "Поделиться с ссылкой" -#: js/share.js:180 +#: js/share.js:185 msgid "Password protect" msgstr "Защитить паролем" -#: js/share.js:182 templates/installation.php:54 templates/login.php:26 +#: js/share.js:187 templates/installation.php:54 templates/login.php:26 msgid "Password" msgstr "Пароль" -#: js/share.js:186 +#: js/share.js:192 msgid "Allow Public Upload" -msgstr "" +msgstr "Разрешить открытую загрузку" -#: js/share.js:189 +#: js/share.js:196 msgid "Email link to person" msgstr "Почтовая ссылка на персону" -#: js/share.js:190 +#: js/share.js:197 msgid "Send" msgstr "Отправить" -#: js/share.js:195 +#: js/share.js:202 msgid "Set expiration date" msgstr "Установить срок доступа" -#: js/share.js:196 +#: js/share.js:203 msgid "Expiration date" msgstr "Дата окончания" -#: js/share.js:228 +#: js/share.js:235 msgid "Share via email:" msgstr "Поделится через электронную почту:" -#: js/share.js:230 +#: js/share.js:237 msgid "No people found" msgstr "Ни один человек не найден" -#: js/share.js:268 +#: js/share.js:275 msgid "Resharing is not allowed" msgstr "Общий доступ не разрешен" -#: js/share.js:304 +#: js/share.js:311 msgid "Shared in {item} with {user}" msgstr "Общий доступ к {item} с {user}" -#: js/share.js:325 +#: js/share.js:332 msgid "Unshare" msgstr "Закрыть общий доступ" -#: js/share.js:337 +#: js/share.js:344 msgid "can edit" msgstr "может редактировать" -#: js/share.js:339 +#: js/share.js:346 msgid "access control" msgstr "контроль доступа" -#: js/share.js:342 +#: js/share.js:349 msgid "create" msgstr "создать" -#: js/share.js:345 +#: js/share.js:352 msgid "update" msgstr "обновить" -#: js/share.js:348 +#: js/share.js:355 msgid "delete" msgstr "удалить" -#: js/share.js:351 +#: js/share.js:358 msgid "share" msgstr "открыть доступ" -#: js/share.js:385 js/share.js:605 +#: js/share.js:392 js/share.js:612 msgid "Password protected" msgstr "Защищено паролем" -#: js/share.js:618 +#: js/share.js:625 msgid "Error unsetting expiration date" msgstr "Ошибка при отмене срока доступа" -#: js/share.js:630 +#: js/share.js:637 msgid "Error setting expiration date" msgstr "Ошибка при установке срока доступа" -#: js/share.js:645 +#: js/share.js:652 msgid "Sending ..." msgstr "Отправляется ..." -#: js/share.js:656 +#: js/share.js:663 msgid "Email sent" msgstr "Письмо отправлено" -#: js/update.js:14 +#: js/update.js:17 msgid "" "The update was unsuccessful. Please report this issue to the ownCloud " "community." msgstr "При обновлении произошла ошибка. Пожалуйста сообщите об этом в ownCloud сообщество." -#: js/update.js:18 +#: js/update.js:21 msgid "The update was successful. Redirecting you to ownCloud now." msgstr "Обновление прошло успешно. Перенаправляемся в Ваш ownCloud..." @@ -470,7 +471,7 @@ msgstr "Доступ запрещён" msgid "Cloud not found" msgstr "Облако не найдено" -#: templates/altmail.php:2 +#: templates/altmail.php:4 #, php-format msgid "" "Hey there,\n" @@ -481,10 +482,6 @@ msgid "" "Cheers!" msgstr "Приветствую,⏎\n⏎\nпросто даю знать, что %s поделился %s с вами.⏎\nПосмотреть: %s⏎\n⏎\nУдачи!" -#: templates/altmail.php:7 templates/mail.php:24 -msgid "web services under your control" -msgstr "веб-сервисы под вашим управлением" - #: templates/edit_categories_dialog.php:4 msgid "Edit categories" msgstr "Редактировать категрии" @@ -616,7 +613,7 @@ msgstr "Войти" msgid "Alternative Logins" msgstr "Альтернативные имена пользователя" -#: templates/mail.php:15 +#: templates/mail.php:16 #, php-format msgid "" "Hey there,

    just letting you know that %s shared »%s« with you.
    , 2013 +# Victor Bravo <>, 2013 +# hackproof , 2013 # Friktor , 2013 msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:12+0200\n" -"PO-Revision-Date: 2013-07-04 07:55+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:04+0000\n" "Last-Translator: I Robot \n" "Language-Team: Russian (http://www.transifex.com/projects/p/owncloud/language/ru/)\n" "MIME-Version: 1.0\n" @@ -29,54 +31,54 @@ msgstr "Невозможно переместить %s - файл с таким msgid "Could not move %s" msgstr "Невозможно переместить %s" -#: ajax/upload.php:16 ajax/upload.php:39 +#: ajax/upload.php:16 ajax/upload.php:45 msgid "Unable to set upload directory." -msgstr "" +msgstr "Не удалось установить каталог загрузки." -#: ajax/upload.php:23 +#: ajax/upload.php:22 msgid "Invalid Token" -msgstr "" +msgstr "Недопустимый маркер" -#: ajax/upload.php:55 +#: ajax/upload.php:59 msgid "No file was uploaded. Unknown error" msgstr "Файл не был загружен. Неизвестная ошибка" -#: ajax/upload.php:62 +#: ajax/upload.php:66 msgid "There is no error, the file uploaded with success" msgstr "Файл загружен успешно." -#: ajax/upload.php:63 +#: ajax/upload.php:67 msgid "" "The uploaded file exceeds the upload_max_filesize directive in php.ini: " msgstr "Файл превышает размер установленный upload_max_filesize в php.ini:" -#: ajax/upload.php:65 +#: ajax/upload.php:69 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:66 +#: ajax/upload.php:70 msgid "The uploaded file was only partially uploaded" msgstr "Файл загружен частично" -#: ajax/upload.php:67 +#: ajax/upload.php:71 msgid "No file was uploaded" msgstr "Файл не был загружен" -#: ajax/upload.php:68 +#: ajax/upload.php:72 msgid "Missing a temporary folder" msgstr "Отсутствует временная папка" -#: ajax/upload.php:69 +#: ajax/upload.php:73 msgid "Failed to write to disk" msgstr "Ошибка записи на диск" -#: ajax/upload.php:87 +#: ajax/upload.php:91 msgid "Not enough storage available" msgstr "Недостаточно доступного места в хранилище" -#: ajax/upload.php:119 +#: ajax/upload.php:123 msgid "Invalid directory." msgstr "Неправильный каталог." @@ -130,43 +132,43 @@ msgstr "Удалить" msgid "Rename" msgstr "Переименовать" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:464 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:465 msgid "Pending" msgstr "Ожидание" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "{new_name} already exists" msgstr "{new_name} уже существует" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "replace" msgstr "заменить" -#: js/filelist.js:302 +#: js/filelist.js:303 msgid "suggest name" msgstr "предложить название" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "cancel" msgstr "отмена" -#: js/filelist.js:349 +#: js/filelist.js:350 msgid "replaced {new_name} with {old_name}" msgstr "заменено {new_name} на {old_name}" -#: js/filelist.js:349 +#: js/filelist.js:350 msgid "undo" msgstr "отмена" -#: js/filelist.js:374 +#: js/filelist.js:375 msgid "perform delete operation" -msgstr "выполняется операция удаления" +msgstr "выполнить операцию удаления" -#: js/filelist.js:456 +#: js/filelist.js:457 msgid "1 file uploading" msgstr "загружается 1 файл" -#: js/filelist.js:459 js/filelist.js:517 +#: js/filelist.js:460 js/filelist.js:518 msgid "files uploading" msgstr "файлы загружаются" @@ -214,26 +216,26 @@ msgstr "Размер" msgid "Modified" msgstr "Изменён" -#: js/files.js:765 +#: js/files.js:763 msgid "1 folder" msgstr "1 папка" -#: js/files.js:767 +#: js/files.js:765 msgid "{count} folders" msgstr "{count} папок" -#: js/files.js:775 +#: js/files.js:773 msgid "1 file" msgstr "1 файл" -#: js/files.js:777 +#: js/files.js:775 msgid "{count} files" msgstr "{count} файлов" #: lib/app.php:73 #, php-format msgid "%s could not be renamed" -msgstr "" +msgstr "%s не может быть переименован" #: lib/helper.php:11 templates/index.php:18 msgid "Upload" @@ -329,19 +331,19 @@ msgstr "Подождите, файлы сканируются." msgid "Current scanning" msgstr "Текущее сканирование" -#: templates/part.list.php:78 +#: templates/part.list.php:74 msgid "directory" -msgstr "" +msgstr "директория" -#: templates/part.list.php:80 +#: templates/part.list.php:76 msgid "directories" -msgstr "" +msgstr "директории" -#: templates/part.list.php:89 +#: templates/part.list.php:85 msgid "file" msgstr "файл" -#: templates/part.list.php:91 +#: templates/part.list.php:87 msgid "files" msgstr "файлы" diff --git a/l10n/ru/files_encryption.po b/l10n/ru/files_encryption.po index 87d54b1d21..d206ebc812 100644 --- a/l10n/ru/files_encryption.po +++ b/l10n/ru/files_encryption.po @@ -7,13 +7,14 @@ # alfsoft , 2013 # lord93 , 2013 # jekader , 2013 +# Victor Bravo <>, 2013 msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:12+0200\n" -"PO-Revision-Date: 2013-07-05 00:13+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-07-09 02:03+0200\n" +"PO-Revision-Date: 2013-07-08 10:40+0000\n" +"Last-Translator: Victor Bravo <>\n" "Language-Team: Russian (http://www.transifex.com/projects/p/owncloud/language/ru/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -63,18 +64,18 @@ msgid "" "ownCloud system (e.g. your corporate directory). You can update your private" " key password in your personal settings to recover access to your encrypted " "files." -msgstr "" +msgstr "Ваш секретный ключ не действителен! Вероятно, ваш пароль был изменен вне системы OwnCloud (например, корпоративный каталог). Вы можете обновить секретный ключ в личных настройках на странице восстановления доступа к зашифрованным файлам. " #: hooks/hooks.php:44 msgid "Missing requirements." -msgstr "" +msgstr "Требования отсутствуют." #: hooks/hooks.php:45 msgid "" "Please make sure that PHP 5.3.3 or newer is installed and that the OpenSSL " "PHP extension is enabled and configured properly. For now, the encryption " "app has been disabled." -msgstr "" +msgstr "Пожалуйста, убедитесь, что PHP 5.3.3 или новее установлен и что расширение OpenSSL PHP включен и настроен. В настоящее время, шифрование для приложения было отключено." #: js/settings-admin.js:11 msgid "Saving..." diff --git a/l10n/ru/files_external.po b/l10n/ru/files_external.po index 6d3950b621..bad6e0f930 100644 --- a/l10n/ru/files_external.po +++ b/l10n/ru/files_external.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: I Robot \n" "Language-Team: Russian (http://www.transifex.com/projects/p/owncloud/language/ru/)\n" "MIME-Version: 1.0\n" @@ -37,20 +37,20 @@ msgstr "Пожалуйста, предоставьте действующий к msgid "Error configuring Google Drive storage" msgstr "Ошибка при настройке хранилища Google Drive" -#: lib/config.php:431 +#: lib/config.php:447 msgid "" "Warning: \"smbclient\" is not installed. Mounting of CIFS/SMB shares " "is not possible. Please ask your system administrator to install it." msgstr "Внимание: \"smbclient\" не установлен. Подключение по CIFS/SMB невозможно. Пожалуйста, обратитесь к системному администратору, чтобы установить его." -#: lib/config.php:434 +#: lib/config.php:450 msgid "" "Warning: The FTP support in PHP is not enabled or installed. Mounting" " of FTP shares is not possible. Please ask your system administrator to " "install it." msgstr "Внимание: Поддержка FTP не включена в PHP. Подключение по FTP невозможно. Пожалуйста, обратитесь к системному администратору, чтобы включить." -#: lib/config.php:437 +#: lib/config.php:453 msgid "" "Warning: The Curl support in PHP is not enabled or installed. " "Mounting of ownCloud / WebDAV or GoogleDrive is not possible. Please ask " diff --git a/l10n/ru/files_sharing.po b/l10n/ru/files_sharing.po index 625e240fe3..c55ea5d249 100644 --- a/l10n/ru/files_sharing.po +++ b/l10n/ru/files_sharing.po @@ -3,13 +3,14 @@ # This file is distributed under the same license as the PACKAGE package. # # Translators: +# Victor Bravo <>, 2013 msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:13+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" +"Last-Translator: Victor Bravo <>\n" "Language-Team: Russian (http://www.transifex.com/projects/p/owncloud/language/ru/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -19,7 +20,7 @@ msgstr "" #: templates/authenticate.php:4 msgid "The password is wrong. Try again." -msgstr "" +msgstr "Неверный пароль. Попробуйте еще раз." #: templates/authenticate.php:7 msgid "Password" @@ -39,18 +40,18 @@ msgstr "%s открыл доступ к папке %s для Вас" msgid "%s shared the file %s with you" msgstr "%s открыл доступ к файлу %s для Вас" -#: templates/public.php:28 templates/public.php:86 +#: templates/public.php:28 templates/public.php:90 msgid "Download" msgstr "Скачать" -#: templates/public.php:44 +#: templates/public.php:45 templates/public.php:48 msgid "Upload" msgstr "Загрузка" -#: templates/public.php:54 +#: templates/public.php:58 msgid "Cancel upload" msgstr "Отмена загрузки" -#: templates/public.php:83 +#: templates/public.php:87 msgid "No preview available for" msgstr "Предпросмотр недоступен для" diff --git a/l10n/ru/files_trashbin.po b/l10n/ru/files_trashbin.po index 9393a081ef..c8e233ad44 100644 --- a/l10n/ru/files_trashbin.po +++ b/l10n/ru/files_trashbin.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: I Robot \n" "Language-Team: Russian (http://www.transifex.com/projects/p/owncloud/language/ru/)\n" "MIME-Version: 1.0\n" diff --git a/l10n/ru/lib.po b/l10n/ru/lib.po index ab21862931..36029f07ee 100644 --- a/l10n/ru/lib.po +++ b/l10n/ru/lib.po @@ -8,8 +8,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:13+0000\n" +"POT-Creation-Date: 2013-07-24 01:55-0400\n" +"PO-Revision-Date: 2013-07-24 05:55+0000\n" "Last-Translator: I Robot \n" "Language-Team: Russian (http://www.transifex.com/projects/p/owncloud/language/ru/)\n" "MIME-Version: 1.0\n" @@ -42,27 +42,43 @@ msgstr "Приложения" msgid "Admin" msgstr "Admin" -#: defaults.php:33 -msgid "web services under your control" +#: app.php:844 +#, php-format +msgid "Failed to upgrade \"%s\"." msgstr "" -#: files.php:210 +#: defaults.php:33 +msgid "web services under your control" +msgstr "веб-сервисы под вашим управлением" + +#: files.php:66 files.php:98 +#, php-format +msgid "cannot open \"%s\"" +msgstr "" + +#: files.php:226 msgid "ZIP download is turned off." msgstr "ZIP-скачивание отключено." -#: files.php:211 +#: files.php:227 msgid "Files need to be downloaded one by one." msgstr "Файлы должны быть загружены по одному." -#: files.php:212 files.php:245 +#: files.php:228 files.php:256 msgid "Back to Files" msgstr "Назад к файлам" -#: files.php:242 +#: files.php:253 msgid "Selected files too large to generate zip file." msgstr "Выбранные файлы слишком велики, чтобы создать zip файл." -#: helper.php:236 +#: files.php:254 +msgid "" +"Download the files in smaller chunks, seperately or kindly ask your " +"administrator." +msgstr "" + +#: helper.php:235 msgid "couldn't be determined" msgstr "Невозможно установить" @@ -171,77 +187,81 @@ msgstr "Вызываемая команда была: \"%s\", имя: %s, пар msgid "PostgreSQL username and/or password not valid" msgstr "Неверное имя пользователя и/или пароль PostgreSQL" -#: setup.php:42 +#: setup.php:28 msgid "Set an admin username." msgstr "Установить имя пользователя для admin." -#: setup.php:45 +#: setup.php:31 msgid "Set an admin password." msgstr "становит пароль для admin." -#: setup.php:198 +#: setup.php:184 msgid "" "Your web server is not yet properly setup to allow files synchronization " "because the WebDAV interface seems to be broken." msgstr "Ваш веб сервер до сих пор не настроен правильно для возможности синхронизации файлов, похоже что проблема в неисправности интерфейса WebDAV." -#: setup.php:199 +#: setup.php:185 #, php-format msgid "Please double check the installation guides." msgstr "Пожалуйста, дважды просмотрите инструкции по установке." -#: template.php:113 +#: template/functions.php:80 msgid "seconds ago" msgstr "несколько секунд назад" -#: template.php:114 +#: template/functions.php:81 msgid "1 minute ago" msgstr "1 минуту назад" -#: template.php:115 +#: template/functions.php:82 #, php-format msgid "%d minutes ago" msgstr "%d минут назад" -#: template.php:116 +#: template/functions.php:83 msgid "1 hour ago" msgstr "час назад" -#: template.php:117 +#: template/functions.php:84 #, php-format msgid "%d hours ago" msgstr "%d часов назад" -#: template.php:118 +#: template/functions.php:85 msgid "today" msgstr "сегодня" -#: template.php:119 +#: template/functions.php:86 msgid "yesterday" msgstr "вчера" -#: template.php:120 +#: template/functions.php:87 #, php-format msgid "%d days ago" msgstr "%d дней назад" -#: template.php:121 +#: template/functions.php:88 msgid "last month" msgstr "в прошлом месяце" -#: template.php:122 +#: template/functions.php:89 #, php-format msgid "%d months ago" msgstr "%d месяцев назад" -#: template.php:123 +#: template/functions.php:90 msgid "last year" msgstr "в прошлом году" -#: template.php:124 +#: template/functions.php:91 msgid "years ago" msgstr "несколько лет назад" +#: template.php:296 +msgid "Caused by:" +msgstr "" + #: vcategories.php:188 vcategories.php:249 #, php-format msgid "Could not find category \"%s\"" diff --git a/l10n/ru/settings.po b/l10n/ru/settings.po index f89a5dac1b..496c7d2a8b 100644 --- a/l10n/ru/settings.po +++ b/l10n/ru/settings.po @@ -6,14 +6,15 @@ # alfsoft , 2013 # lord93 , 2013 # eurekafag , 2013 +# hackproof , 2013 # Friktor , 2013 msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:55+0000\n" -"Last-Translator: lord93 \n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:55+0000\n" +"Last-Translator: I Robot \n" "Language-Team: Russian (http://www.transifex.com/projects/p/owncloud/language/ru/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -277,62 +278,71 @@ msgstr "Разрешить ссылки" msgid "Allow users to share items to the public with links" msgstr "Разрешить пользователям открывать в общий доступ элементы с публичной ссылкой" -#: templates/admin.php:152 +#: templates/admin.php:153 +msgid "Allow public uploads" +msgstr "" + +#: templates/admin.php:154 +msgid "" +"Allow users to enable others to upload into their publicly shared folders" +msgstr "" + +#: templates/admin.php:162 msgid "Allow resharing" msgstr "Разрешить переоткрытие общего доступа" -#: templates/admin.php:153 +#: templates/admin.php:163 msgid "Allow users to share items shared with them again" msgstr "Позволить пользователям открывать общий доступ к эллементам уже открытым в общий доступ" -#: templates/admin.php:160 +#: templates/admin.php:170 msgid "Allow users to share with anyone" msgstr "Разрешить пользователя делать общий доступ любому" -#: templates/admin.php:163 +#: templates/admin.php:173 msgid "Allow users to only share with users in their groups" msgstr "Разрешить пользователям делать общий доступ только для пользователей их групп" -#: templates/admin.php:170 +#: templates/admin.php:180 msgid "Security" msgstr "Безопасность" -#: templates/admin.php:183 +#: templates/admin.php:193 msgid "Enforce HTTPS" msgstr "Принудить к HTTPS" -#: templates/admin.php:184 +#: templates/admin.php:194 msgid "" "Enforces the clients to connect to ownCloud via an encrypted connection." msgstr "Принудить клиентов подключаться к ownCloud через шифрованное подключение." -#: templates/admin.php:187 +#: templates/admin.php:197 msgid "" "Please connect to this ownCloud instance via HTTPS to enable or disable the " "SSL enforcement." msgstr "Пожалуйста, подключитесь к этому экземпляру ownCloud через HTTPS для включения или отключения SSL принуждения." -#: templates/admin.php:197 +#: templates/admin.php:207 msgid "Log" msgstr "Лог" -#: templates/admin.php:198 +#: templates/admin.php:208 msgid "Log level" msgstr "Уровень лога" -#: templates/admin.php:229 +#: templates/admin.php:239 msgid "More" msgstr "Больше" -#: templates/admin.php:230 +#: templates/admin.php:240 msgid "Less" msgstr "Меньше" -#: templates/admin.php:236 templates/personal.php:116 +#: templates/admin.php:246 templates/personal.php:116 msgid "Version" msgstr "Версия" -#: templates/admin.php:240 templates/personal.php:119 +#: templates/admin.php:250 templates/personal.php:119 msgid "" "Developed by the ownCloud community, the access your Files via WebDAV" +msgstr "Используйте этот адрес чтобы получить доступ к вашим файлам через WebDav - " #: templates/users.php:21 msgid "Login Name" diff --git a/l10n/ru/user_ldap.po b/l10n/ru/user_ldap.po index 9647486ac9..3b1df7a942 100644 --- a/l10n/ru/user_ldap.po +++ b/l10n/ru/user_ldap.po @@ -9,8 +9,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: alfsoft \n" "Language-Team: Russian (http://www.transifex.com/projects/p/owncloud/language/ru/)\n" "MIME-Version: 1.0\n" diff --git a/l10n/ru/user_webdavauth.po b/l10n/ru/user_webdavauth.po index d1e8b9599b..c246ab7984 100644 --- a/l10n/ru/user_webdavauth.po +++ b/l10n/ru/user_webdavauth.po @@ -7,13 +7,14 @@ # Denis , 2013 # adol , 2012 # skoptev , 2012 +# Victor Bravo <>, 2013 msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-06-29 02:03+0200\n" -"PO-Revision-Date: 2013-06-28 19:50+0000\n" -"Last-Translator: lord93 \n" +"POT-Creation-Date: 2013-07-09 02:03+0200\n" +"PO-Revision-Date: 2013-07-08 10:40+0000\n" +"Last-Translator: Victor Bravo <>\n" "Language-Team: Russian (http://www.transifex.com/projects/p/owncloud/language/ru/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -27,7 +28,7 @@ msgstr "Идентификация WebDAV" #: templates/settings.php:4 msgid "URL: " -msgstr "" +msgstr "URL:" #: templates/settings.php:7 msgid "" diff --git a/l10n/si_LK/core.po b/l10n/si_LK/core.po index d0453b0a9a..0132778aad 100644 --- a/l10n/si_LK/core.po +++ b/l10n/si_LK/core.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:12+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:04+0000\n" "Last-Translator: I Robot \n" "Language-Team: Sinhala (Sri Lanka) (http://www.transifex.com/projects/p/owncloud/language/si_LK/)\n" "MIME-Version: 1.0\n" @@ -137,59 +137,59 @@ msgstr "නොවැම්බර්" msgid "December" msgstr "දෙසැම්බර්" -#: js/js.js:289 +#: js/js.js:293 msgid "Settings" msgstr "සිටුවම්" -#: js/js.js:721 +#: js/js.js:715 msgid "seconds ago" msgstr "තත්පරයන්ට පෙර" -#: js/js.js:722 +#: js/js.js:716 msgid "1 minute ago" msgstr "1 මිනිත්තුවකට පෙර" -#: js/js.js:723 +#: js/js.js:717 msgid "{minutes} minutes ago" msgstr "" -#: js/js.js:724 +#: js/js.js:718 msgid "1 hour ago" msgstr "" -#: js/js.js:725 +#: js/js.js:719 msgid "{hours} hours ago" msgstr "" -#: js/js.js:726 +#: js/js.js:720 msgid "today" msgstr "අද" -#: js/js.js:727 +#: js/js.js:721 msgid "yesterday" msgstr "ඊයේ" -#: js/js.js:728 +#: js/js.js:722 msgid "{days} days ago" msgstr "" -#: js/js.js:729 +#: js/js.js:723 msgid "last month" msgstr "පෙර මාසයේ" -#: js/js.js:730 +#: js/js.js:724 msgid "{months} months ago" msgstr "" -#: js/js.js:731 +#: js/js.js:725 msgid "months ago" msgstr "මාස කීපයකට පෙර" -#: js/js.js:732 +#: js/js.js:726 msgid "last year" msgstr "පෙර අවුරුද්දේ" -#: js/js.js:733 +#: js/js.js:727 msgid "years ago" msgstr "අවුරුදු කීපයකට පෙර" @@ -225,8 +225,8 @@ msgstr "" #: js/oc-vcategories.js:14 js/oc-vcategories.js:80 js/oc-vcategories.js:95 #: js/oc-vcategories.js:110 js/oc-vcategories.js:125 js/oc-vcategories.js:136 #: js/oc-vcategories.js:172 js/oc-vcategories.js:189 js/oc-vcategories.js:195 -#: js/oc-vcategories.js:199 js/share.js:136 js/share.js:143 js/share.js:618 -#: js/share.js:630 +#: js/oc-vcategories.js:199 js/share.js:136 js/share.js:143 js/share.js:625 +#: js/share.js:637 msgid "Error" msgstr "දෝෂයක්" @@ -246,7 +246,7 @@ msgstr "" msgid "Share" msgstr "බෙදා හදා ගන්න" -#: js/share.js:125 js/share.js:658 +#: js/share.js:125 js/share.js:665 msgid "Error while sharing" msgstr "" @@ -266,114 +266,114 @@ msgstr "" msgid "Shared with you by {owner}" msgstr "" -#: js/share.js:172 +#: js/share.js:177 msgid "Share with" msgstr "බෙදාගන්න" -#: js/share.js:177 +#: js/share.js:182 msgid "Share with link" msgstr "යොමුවක් මඟින් බෙදාගන්න" -#: js/share.js:180 +#: js/share.js:185 msgid "Password protect" msgstr "මුර පදයකින් ආරක්ශාකරන්න" -#: js/share.js:182 templates/installation.php:54 templates/login.php:26 +#: js/share.js:187 templates/installation.php:54 templates/login.php:26 msgid "Password" msgstr "මුර පදය" -#: js/share.js:186 +#: js/share.js:192 msgid "Allow Public Upload" msgstr "" -#: js/share.js:189 +#: js/share.js:196 msgid "Email link to person" msgstr "" -#: js/share.js:190 +#: js/share.js:197 msgid "Send" msgstr "" -#: js/share.js:195 +#: js/share.js:202 msgid "Set expiration date" msgstr "කල් ඉකුත් විමේ දිනය දමන්න" -#: js/share.js:196 +#: js/share.js:203 msgid "Expiration date" msgstr "කල් ඉකුත් විමේ දිනය" -#: js/share.js:228 +#: js/share.js:235 msgid "Share via email:" msgstr "විද්‍යුත් තැපෑල මඟින් බෙදාගන්න: " -#: js/share.js:230 +#: js/share.js:237 msgid "No people found" msgstr "" -#: js/share.js:268 +#: js/share.js:275 msgid "Resharing is not allowed" msgstr "" -#: js/share.js:304 +#: js/share.js:311 msgid "Shared in {item} with {user}" msgstr "" -#: js/share.js:325 +#: js/share.js:332 msgid "Unshare" msgstr "නොබෙදු" -#: js/share.js:337 +#: js/share.js:344 msgid "can edit" msgstr "සංස්කරණය කළ හැක" -#: js/share.js:339 +#: js/share.js:346 msgid "access control" msgstr "ප්‍රවේශ පාලනය" -#: js/share.js:342 +#: js/share.js:349 msgid "create" msgstr "සදන්න" -#: js/share.js:345 +#: js/share.js:352 msgid "update" msgstr "යාවත්කාලීන කරන්න" -#: js/share.js:348 +#: js/share.js:355 msgid "delete" msgstr "මකන්න" -#: js/share.js:351 +#: js/share.js:358 msgid "share" msgstr "බෙදාහදාගන්න" -#: js/share.js:385 js/share.js:605 +#: js/share.js:392 js/share.js:612 msgid "Password protected" msgstr "මුර පදයකින් ආරක්ශාකර ඇත" -#: js/share.js:618 +#: js/share.js:625 msgid "Error unsetting expiration date" msgstr "කල් ඉකුත් දිනය ඉවත් කිරීමේ දෝෂයක්" -#: js/share.js:630 +#: js/share.js:637 msgid "Error setting expiration date" msgstr "කල් ඉකුත් දිනය ස්ථාපනය කිරීමේ දෝෂයක්" -#: js/share.js:645 +#: js/share.js:652 msgid "Sending ..." msgstr "" -#: js/share.js:656 +#: js/share.js:663 msgid "Email sent" msgstr "" -#: js/update.js:14 +#: js/update.js:17 msgid "" "The update was unsuccessful. Please report this issue to the ownCloud " "community." msgstr "" -#: js/update.js:18 +#: js/update.js:21 msgid "The update was successful. Redirecting you to ownCloud now." msgstr "" @@ -465,7 +465,7 @@ msgstr "ඇතුල් වීම තහනම්" msgid "Cloud not found" msgstr "සොයා ගත නොහැක" -#: templates/altmail.php:2 +#: templates/altmail.php:4 #, php-format msgid "" "Hey there,\n" @@ -476,10 +476,6 @@ msgid "" "Cheers!" msgstr "" -#: templates/altmail.php:7 templates/mail.php:24 -msgid "web services under your control" -msgstr "ඔබට පාලනය කළ හැකි වෙබ් සේවාවන්" - #: templates/edit_categories_dialog.php:4 msgid "Edit categories" msgstr "ප්‍රභේදයන් සංස්කරණය" @@ -611,7 +607,7 @@ msgstr "ප්‍රවේශවන්න" msgid "Alternative Logins" msgstr "" -#: templates/mail.php:15 +#: templates/mail.php:16 #, php-format msgid "" "Hey there,

    just letting you know that %s shared »%s« with you.
    \n" "Language-Team: Sinhala (Sri Lanka) (http://www.transifex.com/projects/p/owncloud/language/si_LK/)\n" "MIME-Version: 1.0\n" @@ -27,54 +27,54 @@ msgstr "" msgid "Could not move %s" msgstr "" -#: ajax/upload.php:16 ajax/upload.php:39 +#: ajax/upload.php:16 ajax/upload.php:45 msgid "Unable to set upload directory." msgstr "" -#: ajax/upload.php:23 +#: ajax/upload.php:22 msgid "Invalid Token" msgstr "" -#: ajax/upload.php:55 +#: ajax/upload.php:59 msgid "No file was uploaded. Unknown error" msgstr "ගොනුවක් උඩුගත නොවුනි. නොහැඳිනු දෝෂයක්" -#: ajax/upload.php:62 +#: ajax/upload.php:66 msgid "There is no error, the file uploaded with success" msgstr "දෝෂයක් නොමැත. සාර්ථකව ගොනුව උඩුගත කෙරුණි" -#: ajax/upload.php:63 +#: ajax/upload.php:67 msgid "" "The uploaded file exceeds the upload_max_filesize directive in php.ini: " msgstr "" -#: ajax/upload.php:65 +#: ajax/upload.php:69 msgid "" "The uploaded file exceeds the MAX_FILE_SIZE directive that was specified in " "the HTML form" msgstr "උඩුගත කළ ගොනුවේ විශාලත්වය HTML පෝරමයේ නියම කළ ඇති MAX_FILE_SIZE විශාලත්වයට වඩා වැඩිය" -#: ajax/upload.php:66 +#: ajax/upload.php:70 msgid "The uploaded file was only partially uploaded" msgstr "උඩුගත කළ ගොනුවේ කොටසක් පමණක් උඩුගත විය" -#: ajax/upload.php:67 +#: ajax/upload.php:71 msgid "No file was uploaded" msgstr "ගොනුවක් උඩුගත නොවුණි" -#: ajax/upload.php:68 +#: ajax/upload.php:72 msgid "Missing a temporary folder" msgstr "තාවකාලික ෆොල්ඩරයක් අතුරුදහන්" -#: ajax/upload.php:69 +#: ajax/upload.php:73 msgid "Failed to write to disk" msgstr "තැටිගත කිරීම අසාර්ථකයි" -#: ajax/upload.php:87 +#: ajax/upload.php:91 msgid "Not enough storage available" msgstr "" -#: ajax/upload.php:119 +#: ajax/upload.php:123 msgid "Invalid directory." msgstr "" @@ -128,43 +128,43 @@ msgstr "මකා දමන්න" msgid "Rename" msgstr "නැවත නම් කරන්න" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:464 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:465 msgid "Pending" msgstr "" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "{new_name} already exists" msgstr "" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "replace" msgstr "ප්‍රතිස්ථාපනය කරන්න" -#: js/filelist.js:302 +#: js/filelist.js:303 msgid "suggest name" msgstr "නමක් යෝජනා කරන්න" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "cancel" msgstr "අත් හරින්න" -#: js/filelist.js:349 +#: js/filelist.js:350 msgid "replaced {new_name} with {old_name}" msgstr "" -#: js/filelist.js:349 +#: js/filelist.js:350 msgid "undo" msgstr "නිෂ්ප්‍රභ කරන්න" -#: js/filelist.js:374 +#: js/filelist.js:375 msgid "perform delete operation" msgstr "" -#: js/filelist.js:456 +#: js/filelist.js:457 msgid "1 file uploading" msgstr "1 ගොනුවක් උඩගත කෙරේ" -#: js/filelist.js:459 js/filelist.js:517 +#: js/filelist.js:460 js/filelist.js:518 msgid "files uploading" msgstr "" @@ -212,19 +212,19 @@ msgstr "ප්‍රමාණය" msgid "Modified" msgstr "වෙනස් කළ" -#: js/files.js:765 +#: js/files.js:763 msgid "1 folder" msgstr "1 ෆොල්ඩරයක්" -#: js/files.js:767 +#: js/files.js:765 msgid "{count} folders" msgstr "" -#: js/files.js:775 +#: js/files.js:773 msgid "1 file" msgstr "1 ගොනුවක්" -#: js/files.js:777 +#: js/files.js:775 msgid "{count} files" msgstr "" @@ -327,19 +327,19 @@ msgstr "ගොනු පරික්ෂා කෙරේ. මඳක් රැඳ msgid "Current scanning" msgstr "වර්තමාන පරික්ෂාව" -#: templates/part.list.php:78 +#: templates/part.list.php:74 msgid "directory" msgstr "" -#: templates/part.list.php:80 +#: templates/part.list.php:76 msgid "directories" msgstr "" -#: templates/part.list.php:89 +#: templates/part.list.php:85 msgid "file" msgstr "ගොනුව" -#: templates/part.list.php:91 +#: templates/part.list.php:87 msgid "files" msgstr "ගොනු" diff --git a/l10n/si_LK/files_external.po b/l10n/si_LK/files_external.po index 9a29be25bb..84135df646 100644 --- a/l10n/si_LK/files_external.po +++ b/l10n/si_LK/files_external.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: I Robot \n" "Language-Team: Sinhala (Sri Lanka) (http://www.transifex.com/projects/p/owncloud/language/si_LK/)\n" "MIME-Version: 1.0\n" @@ -37,20 +37,20 @@ msgstr "කරුණාකර වලංගු Dropbox යෙදුම් යත msgid "Error configuring Google Drive storage" msgstr "Google Drive ගබඩාව වින්‍යාස කිරීමේ දෝශයක් ඇත" -#: lib/config.php:431 +#: lib/config.php:447 msgid "" "Warning: \"smbclient\" is not installed. Mounting of CIFS/SMB shares " "is not possible. Please ask your system administrator to install it." msgstr "" -#: lib/config.php:434 +#: lib/config.php:450 msgid "" "Warning: The FTP support in PHP is not enabled or installed. Mounting" " of FTP shares is not possible. Please ask your system administrator to " "install it." msgstr "" -#: lib/config.php:437 +#: lib/config.php:453 msgid "" "Warning: The Curl support in PHP is not enabled or installed. " "Mounting of ownCloud / WebDAV or GoogleDrive is not possible. Please ask " diff --git a/l10n/si_LK/files_sharing.po b/l10n/si_LK/files_sharing.po index cb5315ae37..40540cda0d 100644 --- a/l10n/si_LK/files_sharing.po +++ b/l10n/si_LK/files_sharing.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:13+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: I Robot \n" "Language-Team: Sinhala (Sri Lanka) (http://www.transifex.com/projects/p/owncloud/language/si_LK/)\n" "MIME-Version: 1.0\n" @@ -39,18 +39,18 @@ msgstr "%s ඔබව %s ෆෝල්ඩරයට හවුල් කරගත් msgid "%s shared the file %s with you" msgstr "%s ඔබ සමඟ %s ගොනුව බෙදාහදාගත්තේය" -#: templates/public.php:28 templates/public.php:86 +#: templates/public.php:28 templates/public.php:90 msgid "Download" msgstr "බාන්න" -#: templates/public.php:44 +#: templates/public.php:45 templates/public.php:48 msgid "Upload" msgstr "උඩුගත කරන්න" -#: templates/public.php:54 +#: templates/public.php:58 msgid "Cancel upload" msgstr "උඩුගත කිරීම අත් හරින්න" -#: templates/public.php:83 +#: templates/public.php:87 msgid "No preview available for" msgstr "පූර්වදර්ශනයක් නොමැත" diff --git a/l10n/si_LK/files_trashbin.po b/l10n/si_LK/files_trashbin.po index 94157f9e48..2dc217d934 100644 --- a/l10n/si_LK/files_trashbin.po +++ b/l10n/si_LK/files_trashbin.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: I Robot \n" "Language-Team: Sinhala (Sri Lanka) (http://www.transifex.com/projects/p/owncloud/language/si_LK/)\n" "MIME-Version: 1.0\n" diff --git a/l10n/si_LK/lib.po b/l10n/si_LK/lib.po index cd52a1d43d..f6c17bac2d 100644 --- a/l10n/si_LK/lib.po +++ b/l10n/si_LK/lib.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:13+0000\n" +"POT-Creation-Date: 2013-07-24 01:55-0400\n" +"PO-Revision-Date: 2013-07-24 05:55+0000\n" "Last-Translator: I Robot \n" "Language-Team: Sinhala (Sri Lanka) (http://www.transifex.com/projects/p/owncloud/language/si_LK/)\n" "MIME-Version: 1.0\n" @@ -41,27 +41,43 @@ msgstr "යෙදුම්" msgid "Admin" msgstr "පරිපාලක" -#: defaults.php:33 -msgid "web services under your control" +#: app.php:844 +#, php-format +msgid "Failed to upgrade \"%s\"." msgstr "" -#: files.php:210 +#: defaults.php:33 +msgid "web services under your control" +msgstr "ඔබට පාලනය කළ හැකි වෙබ් සේවාවන්" + +#: files.php:66 files.php:98 +#, php-format +msgid "cannot open \"%s\"" +msgstr "" + +#: files.php:226 msgid "ZIP download is turned off." msgstr "ZIP භාගත කිරීම් අක්‍රියයි" -#: files.php:211 +#: files.php:227 msgid "Files need to be downloaded one by one." msgstr "ගොනු එකින් එක භාගත යුතුයි" -#: files.php:212 files.php:245 +#: files.php:228 files.php:256 msgid "Back to Files" msgstr "ගොනු වෙතට නැවත යන්න" -#: files.php:242 +#: files.php:253 msgid "Selected files too large to generate zip file." msgstr "තෝරාගත් ගොනු ZIP ගොනුවක් තැනීමට විශාල වැඩිය." -#: helper.php:236 +#: files.php:254 +msgid "" +"Download the files in smaller chunks, seperately or kindly ask your " +"administrator." +msgstr "" + +#: helper.php:235 msgid "couldn't be determined" msgstr "" @@ -170,77 +186,81 @@ msgstr "" msgid "PostgreSQL username and/or password not valid" msgstr "" -#: setup.php:42 +#: setup.php:28 msgid "Set an admin username." msgstr "" -#: setup.php:45 +#: setup.php:31 msgid "Set an admin password." msgstr "" -#: setup.php:198 +#: setup.php:184 msgid "" "Your web server is not yet properly setup to allow files synchronization " "because the WebDAV interface seems to be broken." msgstr "" -#: setup.php:199 +#: setup.php:185 #, php-format msgid "Please double check the installation guides." msgstr "" -#: template.php:113 +#: template/functions.php:80 msgid "seconds ago" msgstr "තත්පරයන්ට පෙර" -#: template.php:114 +#: template/functions.php:81 msgid "1 minute ago" msgstr "1 මිනිත්තුවකට පෙර" -#: template.php:115 +#: template/functions.php:82 #, php-format msgid "%d minutes ago" msgstr "%d මිනිත්තුවන්ට පෙර" -#: template.php:116 +#: template/functions.php:83 msgid "1 hour ago" msgstr "" -#: template.php:117 +#: template/functions.php:84 #, php-format msgid "%d hours ago" msgstr "" -#: template.php:118 +#: template/functions.php:85 msgid "today" msgstr "අද" -#: template.php:119 +#: template/functions.php:86 msgid "yesterday" msgstr "ඊයේ" -#: template.php:120 +#: template/functions.php:87 #, php-format msgid "%d days ago" msgstr "%d දිනකට පෙර" -#: template.php:121 +#: template/functions.php:88 msgid "last month" msgstr "පෙර මාසයේ" -#: template.php:122 +#: template/functions.php:89 #, php-format msgid "%d months ago" msgstr "" -#: template.php:123 +#: template/functions.php:90 msgid "last year" msgstr "පෙර අවුරුද්දේ" -#: template.php:124 +#: template/functions.php:91 msgid "years ago" msgstr "අවුරුදු කීපයකට පෙර" +#: template.php:296 +msgid "Caused by:" +msgstr "" + #: vcategories.php:188 vcategories.php:249 #, php-format msgid "Could not find category \"%s\"" diff --git a/l10n/si_LK/settings.po b/l10n/si_LK/settings.po index 7c96c853ea..d5ec255c61 100644 --- a/l10n/si_LK/settings.po +++ b/l10n/si_LK/settings.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:55+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:55+0000\n" "Last-Translator: I Robot \n" "Language-Team: Sinhala (Sri Lanka) (http://www.transifex.com/projects/p/owncloud/language/si_LK/)\n" "MIME-Version: 1.0\n" @@ -273,62 +273,71 @@ msgstr "යොමු සලසන්න" msgid "Allow users to share items to the public with links" msgstr "" -#: templates/admin.php:152 +#: templates/admin.php:153 +msgid "Allow public uploads" +msgstr "" + +#: templates/admin.php:154 +msgid "" +"Allow users to enable others to upload into their publicly shared folders" +msgstr "" + +#: templates/admin.php:162 msgid "Allow resharing" msgstr "යළි යළිත් හුවමාරුවට අවසර දෙමි" -#: templates/admin.php:153 +#: templates/admin.php:163 msgid "Allow users to share items shared with them again" msgstr "හුවමාරු කළ හුවමාරුවට අවසර දෙමි" -#: templates/admin.php:160 +#: templates/admin.php:170 msgid "Allow users to share with anyone" msgstr "ඕනෑම අයෙකු හා හුවමාරුවට අවසර දෙමි" -#: templates/admin.php:163 +#: templates/admin.php:173 msgid "Allow users to only share with users in their groups" msgstr "තම කණ්ඩායමේ අයෙකු හා පමණක් හුවමාරුවට අවසර දෙමි" -#: templates/admin.php:170 +#: templates/admin.php:180 msgid "Security" msgstr "" -#: templates/admin.php:183 +#: templates/admin.php:193 msgid "Enforce HTTPS" msgstr "" -#: templates/admin.php:184 +#: templates/admin.php:194 msgid "" "Enforces the clients to connect to ownCloud via an encrypted connection." msgstr "" -#: templates/admin.php:187 +#: templates/admin.php:197 msgid "" "Please connect to this ownCloud instance via HTTPS to enable or disable the " "SSL enforcement." msgstr "" -#: templates/admin.php:197 +#: templates/admin.php:207 msgid "Log" msgstr "ලඝුව" -#: templates/admin.php:198 +#: templates/admin.php:208 msgid "Log level" msgstr "" -#: templates/admin.php:229 +#: templates/admin.php:239 msgid "More" msgstr "වැඩි" -#: templates/admin.php:230 +#: templates/admin.php:240 msgid "Less" msgstr "අඩු" -#: templates/admin.php:236 templates/personal.php:116 +#: templates/admin.php:246 templates/personal.php:116 msgid "Version" msgstr "" -#: templates/admin.php:240 templates/personal.php:119 +#: templates/admin.php:250 templates/personal.php:119 msgid "" "Developed by the ownCloud community, the access your Files via WebDAV" msgstr "" #: templates/users.php:21 diff --git a/l10n/si_LK/user_ldap.po b/l10n/si_LK/user_ldap.po index a7c9e4121b..13eb1041ad 100644 --- a/l10n/si_LK/user_ldap.po +++ b/l10n/si_LK/user_ldap.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: I Robot \n" "Language-Team: Sinhala (Sri Lanka) (http://www.transifex.com/projects/p/owncloud/language/si_LK/)\n" "MIME-Version: 1.0\n" diff --git a/l10n/sk/core.po b/l10n/sk/core.po index 99ac86641d..0afee3edf4 100644 --- a/l10n/sk/core.po +++ b/l10n/sk/core.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-06-29 02:03+0200\n" -"PO-Revision-Date: 2013-06-29 00:03+0000\n" +"POT-Creation-Date: 2013-07-06 02:02+0200\n" +"PO-Revision-Date: 2013-07-06 00:02+0000\n" "Last-Translator: I Robot \n" "Language-Team: Slovak (http://www.transifex.com/projects/p/owncloud/language/sk/)\n" "MIME-Version: 1.0\n" @@ -225,8 +225,8 @@ msgstr "" #: js/oc-vcategories.js:14 js/oc-vcategories.js:80 js/oc-vcategories.js:95 #: js/oc-vcategories.js:110 js/oc-vcategories.js:125 js/oc-vcategories.js:136 #: js/oc-vcategories.js:172 js/oc-vcategories.js:189 js/oc-vcategories.js:195 -#: js/oc-vcategories.js:199 js/share.js:136 js/share.js:143 js/share.js:618 -#: js/share.js:630 +#: js/oc-vcategories.js:199 js/share.js:136 js/share.js:143 js/share.js:620 +#: js/share.js:632 msgid "Error" msgstr "" @@ -246,7 +246,7 @@ msgstr "" msgid "Share" msgstr "" -#: js/share.js:125 js/share.js:658 +#: js/share.js:125 js/share.js:660 msgid "Error while sharing" msgstr "" @@ -282,87 +282,87 @@ msgstr "" msgid "Password" msgstr "" -#: js/share.js:186 +#: js/share.js:187 msgid "Allow Public Upload" msgstr "" -#: js/share.js:189 +#: js/share.js:191 msgid "Email link to person" msgstr "" -#: js/share.js:190 +#: js/share.js:192 msgid "Send" msgstr "" -#: js/share.js:195 +#: js/share.js:197 msgid "Set expiration date" msgstr "" -#: js/share.js:196 +#: js/share.js:198 msgid "Expiration date" msgstr "" -#: js/share.js:228 +#: js/share.js:230 msgid "Share via email:" msgstr "" -#: js/share.js:230 +#: js/share.js:232 msgid "No people found" msgstr "" -#: js/share.js:268 +#: js/share.js:270 msgid "Resharing is not allowed" msgstr "" -#: js/share.js:304 +#: js/share.js:306 msgid "Shared in {item} with {user}" msgstr "" -#: js/share.js:325 +#: js/share.js:327 msgid "Unshare" msgstr "" -#: js/share.js:337 +#: js/share.js:339 msgid "can edit" msgstr "" -#: js/share.js:339 +#: js/share.js:341 msgid "access control" msgstr "" -#: js/share.js:342 +#: js/share.js:344 msgid "create" msgstr "" -#: js/share.js:345 +#: js/share.js:347 msgid "update" msgstr "" -#: js/share.js:348 +#: js/share.js:350 msgid "delete" msgstr "" -#: js/share.js:351 +#: js/share.js:353 msgid "share" msgstr "" -#: js/share.js:385 js/share.js:605 +#: js/share.js:387 js/share.js:607 msgid "Password protected" msgstr "" -#: js/share.js:618 +#: js/share.js:620 msgid "Error unsetting expiration date" msgstr "" -#: js/share.js:630 +#: js/share.js:632 msgid "Error setting expiration date" msgstr "" -#: js/share.js:645 +#: js/share.js:647 msgid "Sending ..." msgstr "" -#: js/share.js:656 +#: js/share.js:658 msgid "Email sent" msgstr "" @@ -465,7 +465,7 @@ msgstr "" msgid "Cloud not found" msgstr "" -#: templates/altmail.php:2 +#: templates/altmail.php:4 #, php-format msgid "" "Hey there,\n" @@ -476,10 +476,6 @@ msgid "" "Cheers!" msgstr "" -#: templates/altmail.php:7 templates/mail.php:24 -msgid "web services under your control" -msgstr "" - #: templates/edit_categories_dialog.php:4 msgid "Edit categories" msgstr "" @@ -572,12 +568,12 @@ msgstr "" msgid "Finish setup" msgstr "" -#: templates/layout.user.php:40 +#: templates/layout.user.php:43 #, php-format msgid "%s is available. Get more information on how to update." msgstr "" -#: templates/layout.user.php:67 +#: templates/layout.user.php:68 msgid "Log out" msgstr "" @@ -611,7 +607,7 @@ msgstr "" msgid "Alternative Logins" msgstr "" -#: templates/mail.php:15 +#: templates/mail.php:16 #, php-format msgid "" "Hey there,

    just letting you know that %s shared »%s« with you.
    \n" "Language-Team: Slovak (http://www.transifex.com/projects/p/owncloud/language/sk/)\n" "MIME-Version: 1.0\n" @@ -27,54 +27,54 @@ msgstr "" msgid "Could not move %s" msgstr "" -#: ajax/upload.php:16 ajax/upload.php:39 +#: ajax/upload.php:16 ajax/upload.php:45 msgid "Unable to set upload directory." msgstr "" -#: ajax/upload.php:23 +#: ajax/upload.php:22 msgid "Invalid Token" msgstr "" -#: ajax/upload.php:55 +#: ajax/upload.php:59 msgid "No file was uploaded. Unknown error" msgstr "" -#: ajax/upload.php:62 +#: ajax/upload.php:66 msgid "There is no error, the file uploaded with success" msgstr "" -#: ajax/upload.php:63 +#: ajax/upload.php:67 msgid "" "The uploaded file exceeds the upload_max_filesize directive in php.ini: " msgstr "" -#: ajax/upload.php:65 +#: ajax/upload.php:69 msgid "" "The uploaded file exceeds the MAX_FILE_SIZE directive that was specified in " "the HTML form" msgstr "" -#: ajax/upload.php:66 +#: ajax/upload.php:70 msgid "The uploaded file was only partially uploaded" msgstr "" -#: ajax/upload.php:67 +#: ajax/upload.php:71 msgid "No file was uploaded" msgstr "" -#: ajax/upload.php:68 +#: ajax/upload.php:72 msgid "Missing a temporary folder" msgstr "" -#: ajax/upload.php:69 +#: ajax/upload.php:73 msgid "Failed to write to disk" msgstr "" -#: ajax/upload.php:87 +#: ajax/upload.php:91 msgid "Not enough storage available" msgstr "" -#: ajax/upload.php:119 +#: ajax/upload.php:123 msgid "Invalid directory." msgstr "" @@ -128,43 +128,43 @@ msgstr "" msgid "Rename" msgstr "" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:464 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:465 msgid "Pending" msgstr "" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "{new_name} already exists" msgstr "" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "replace" msgstr "" -#: js/filelist.js:302 +#: js/filelist.js:303 msgid "suggest name" msgstr "" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "cancel" msgstr "" -#: js/filelist.js:349 +#: js/filelist.js:350 msgid "replaced {new_name} with {old_name}" msgstr "" -#: js/filelist.js:349 +#: js/filelist.js:350 msgid "undo" msgstr "" -#: js/filelist.js:374 +#: js/filelist.js:375 msgid "perform delete operation" msgstr "" -#: js/filelist.js:456 +#: js/filelist.js:457 msgid "1 file uploading" msgstr "" -#: js/filelist.js:459 js/filelist.js:517 +#: js/filelist.js:460 js/filelist.js:518 msgid "files uploading" msgstr "" @@ -212,19 +212,19 @@ msgstr "" msgid "Modified" msgstr "" -#: js/files.js:765 +#: js/files.js:763 msgid "1 folder" msgstr "" -#: js/files.js:767 +#: js/files.js:765 msgid "{count} folders" msgstr "" -#: js/files.js:775 +#: js/files.js:773 msgid "1 file" msgstr "" -#: js/files.js:777 +#: js/files.js:775 msgid "{count} files" msgstr "" @@ -327,19 +327,19 @@ msgstr "" msgid "Current scanning" msgstr "" -#: templates/part.list.php:78 +#: templates/part.list.php:74 msgid "directory" msgstr "" -#: templates/part.list.php:80 +#: templates/part.list.php:76 msgid "directories" msgstr "" -#: templates/part.list.php:89 +#: templates/part.list.php:85 msgid "file" msgstr "" -#: templates/part.list.php:91 +#: templates/part.list.php:87 msgid "files" msgstr "" diff --git a/l10n/sk/lib.po b/l10n/sk/lib.po index d1f1b336f1..9d5bd19be2 100644 --- a/l10n/sk/lib.po +++ b/l10n/sk/lib.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:13+0000\n" +"POT-Creation-Date: 2013-07-24 01:55-0400\n" +"PO-Revision-Date: 2013-07-24 05:55+0000\n" "Last-Translator: I Robot \n" "Language-Team: Slovak (http://www.transifex.com/projects/p/owncloud/language/sk/)\n" "MIME-Version: 1.0\n" @@ -41,27 +41,43 @@ msgstr "" msgid "Admin" msgstr "" +#: app.php:844 +#, php-format +msgid "Failed to upgrade \"%s\"." +msgstr "" + #: defaults.php:33 msgid "web services under your control" msgstr "" -#: files.php:210 +#: files.php:66 files.php:98 +#, php-format +msgid "cannot open \"%s\"" +msgstr "" + +#: files.php:226 msgid "ZIP download is turned off." msgstr "" -#: files.php:211 +#: files.php:227 msgid "Files need to be downloaded one by one." msgstr "" -#: files.php:212 files.php:245 +#: files.php:228 files.php:256 msgid "Back to Files" msgstr "" -#: files.php:242 +#: files.php:253 msgid "Selected files too large to generate zip file." msgstr "" -#: helper.php:236 +#: files.php:254 +msgid "" +"Download the files in smaller chunks, seperately or kindly ask your " +"administrator." +msgstr "" + +#: helper.php:235 msgid "couldn't be determined" msgstr "" @@ -170,77 +186,81 @@ msgstr "" msgid "PostgreSQL username and/or password not valid" msgstr "" -#: setup.php:42 +#: setup.php:28 msgid "Set an admin username." msgstr "" -#: setup.php:45 +#: setup.php:31 msgid "Set an admin password." msgstr "" -#: setup.php:198 +#: setup.php:184 msgid "" "Your web server is not yet properly setup to allow files synchronization " "because the WebDAV interface seems to be broken." msgstr "" -#: setup.php:199 +#: setup.php:185 #, php-format msgid "Please double check the installation guides." msgstr "" -#: template.php:113 +#: template/functions.php:80 msgid "seconds ago" msgstr "" -#: template.php:114 +#: template/functions.php:81 msgid "1 minute ago" msgstr "" -#: template.php:115 +#: template/functions.php:82 #, php-format msgid "%d minutes ago" msgstr "" -#: template.php:116 +#: template/functions.php:83 msgid "1 hour ago" msgstr "" -#: template.php:117 +#: template/functions.php:84 #, php-format msgid "%d hours ago" msgstr "" -#: template.php:118 +#: template/functions.php:85 msgid "today" msgstr "" -#: template.php:119 +#: template/functions.php:86 msgid "yesterday" msgstr "" -#: template.php:120 +#: template/functions.php:87 #, php-format msgid "%d days ago" msgstr "" -#: template.php:121 +#: template/functions.php:88 msgid "last month" msgstr "" -#: template.php:122 +#: template/functions.php:89 #, php-format msgid "%d months ago" msgstr "" -#: template.php:123 +#: template/functions.php:90 msgid "last year" msgstr "" -#: template.php:124 +#: template/functions.php:91 msgid "years ago" msgstr "" +#: template.php:296 +msgid "Caused by:" +msgstr "" + #: vcategories.php:188 vcategories.php:249 #, php-format msgid "Could not find category \"%s\"" diff --git a/l10n/sk/settings.po b/l10n/sk/settings.po index f5acdcadf8..ef90e33c4c 100644 --- a/l10n/sk/settings.po +++ b/l10n/sk/settings.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-06-20 02:37+0200\n" -"PO-Revision-Date: 2013-06-20 00:37+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:55+0000\n" "Last-Translator: I Robot \n" "Language-Team: Slovak (http://www.transifex.com/projects/p/owncloud/language/sk/)\n" "MIME-Version: 1.0\n" @@ -88,35 +88,35 @@ msgstr "" msgid "Couldn't update app." msgstr "" -#: js/apps.js:30 +#: js/apps.js:35 msgid "Update to {appversion}" msgstr "" -#: js/apps.js:36 js/apps.js:76 +#: js/apps.js:41 js/apps.js:81 msgid "Disable" msgstr "" -#: js/apps.js:36 js/apps.js:64 js/apps.js:83 +#: js/apps.js:41 js/apps.js:69 js/apps.js:88 msgid "Enable" msgstr "" -#: js/apps.js:55 +#: js/apps.js:60 msgid "Please wait...." msgstr "" -#: js/apps.js:59 js/apps.js:71 js/apps.js:80 js/apps.js:93 +#: js/apps.js:64 js/apps.js:76 js/apps.js:85 js/apps.js:98 msgid "Error" msgstr "" -#: js/apps.js:90 +#: js/apps.js:95 msgid "Updating...." msgstr "" -#: js/apps.js:93 +#: js/apps.js:98 msgid "Error while updating app" msgstr "" -#: js/apps.js:96 +#: js/apps.js:101 msgid "Updated" msgstr "" @@ -165,15 +165,15 @@ msgstr "" msgid "A valid password must be provided" msgstr "" -#: personal.php:35 personal.php:36 +#: personal.php:37 personal.php:38 msgid "__language_name__" msgstr "" -#: templates/admin.php:15 +#: templates/admin.php:17 msgid "Security Warning" msgstr "" -#: templates/admin.php:18 +#: templates/admin.php:20 msgid "" "Your data directory and your files are probably accessible from the " "internet. The .htaccess file that ownCloud provides is not working. We " @@ -182,36 +182,36 @@ msgid "" " webserver document root." msgstr "" -#: templates/admin.php:29 +#: templates/admin.php:31 msgid "Setup Warning" msgstr "" -#: templates/admin.php:32 +#: templates/admin.php:34 msgid "" "Your web server is not yet properly setup to allow files synchronization " "because the WebDAV interface seems to be broken." msgstr "" -#: templates/admin.php:33 +#: templates/admin.php:35 #, php-format msgid "Please double check the installation guides." msgstr "" -#: templates/admin.php:44 +#: templates/admin.php:46 msgid "Module 'fileinfo' missing" msgstr "" -#: templates/admin.php:47 +#: templates/admin.php:49 msgid "" "The PHP module 'fileinfo' is missing. We strongly recommend to enable this " "module to get best results with mime-type detection." msgstr "" -#: templates/admin.php:58 +#: templates/admin.php:60 msgid "Locale not working" msgstr "" -#: templates/admin.php:63 +#: templates/admin.php:65 #, php-format msgid "" "This ownCloud server can't set system locale to %s. This means that there " @@ -219,11 +219,11 @@ msgid "" " to install the required packages on your system to support %s." msgstr "" -#: templates/admin.php:75 +#: templates/admin.php:77 msgid "Internet connection not working" msgstr "" -#: templates/admin.php:78 +#: templates/admin.php:80 msgid "" "This ownCloud server has no working internet connection. This means that " "some of the features like mounting of external storage, notifications about " @@ -233,102 +233,111 @@ msgid "" " of ownCloud." msgstr "" -#: templates/admin.php:92 +#: templates/admin.php:94 msgid "Cron" msgstr "" -#: templates/admin.php:101 +#: templates/admin.php:103 msgid "Execute one task with each page loaded" msgstr "" -#: templates/admin.php:111 +#: templates/admin.php:113 msgid "" "cron.php is registered at a webcron service. Call the cron.php page in the " "owncloud root once a minute over http." msgstr "" -#: templates/admin.php:121 +#: templates/admin.php:123 msgid "" "Use systems cron service. Call the cron.php file in the owncloud folder via " "a system cronjob once a minute." msgstr "" -#: templates/admin.php:128 +#: templates/admin.php:130 msgid "Sharing" msgstr "" -#: templates/admin.php:134 +#: templates/admin.php:136 msgid "Enable Share API" msgstr "" -#: templates/admin.php:135 +#: templates/admin.php:137 msgid "Allow apps to use the Share API" msgstr "" -#: templates/admin.php:142 +#: templates/admin.php:144 msgid "Allow links" msgstr "" -#: templates/admin.php:143 +#: templates/admin.php:145 msgid "Allow users to share items to the public with links" msgstr "" -#: templates/admin.php:150 +#: templates/admin.php:153 +msgid "Allow public uploads" +msgstr "" + +#: templates/admin.php:154 +msgid "" +"Allow users to enable others to upload into their publicly shared folders" +msgstr "" + +#: templates/admin.php:162 msgid "Allow resharing" msgstr "" -#: templates/admin.php:151 +#: templates/admin.php:163 msgid "Allow users to share items shared with them again" msgstr "" -#: templates/admin.php:158 +#: templates/admin.php:170 msgid "Allow users to share with anyone" msgstr "" -#: templates/admin.php:161 +#: templates/admin.php:173 msgid "Allow users to only share with users in their groups" msgstr "" -#: templates/admin.php:168 +#: templates/admin.php:180 msgid "Security" msgstr "" -#: templates/admin.php:181 +#: templates/admin.php:193 msgid "Enforce HTTPS" msgstr "" -#: templates/admin.php:182 +#: templates/admin.php:194 msgid "" "Enforces the clients to connect to ownCloud via an encrypted connection." msgstr "" -#: templates/admin.php:185 +#: templates/admin.php:197 msgid "" "Please connect to this ownCloud instance via HTTPS to enable or disable the " "SSL enforcement." msgstr "" -#: templates/admin.php:195 +#: templates/admin.php:207 msgid "Log" msgstr "" -#: templates/admin.php:196 +#: templates/admin.php:208 msgid "Log level" msgstr "" -#: templates/admin.php:227 +#: templates/admin.php:239 msgid "More" msgstr "" -#: templates/admin.php:228 +#: templates/admin.php:240 msgid "Less" msgstr "" -#: templates/admin.php:235 templates/personal.php:116 +#: templates/admin.php:246 templates/personal.php:116 msgid "Version" msgstr "" -#: templates/admin.php:237 templates/personal.php:119 +#: templates/admin.php:250 templates/personal.php:119 msgid "" "Developed by the ownCloud community, the %s of the available %s" msgstr "" -#: templates/personal.php:40 templates/users.php:23 templates/users.php:86 +#: templates/personal.php:41 templates/users.php:23 templates/users.php:86 msgid "Password" msgstr "" -#: templates/personal.php:41 +#: templates/personal.php:42 msgid "Your password was changed" msgstr "" -#: templates/personal.php:42 +#: templates/personal.php:43 msgid "Unable to change your password" msgstr "" -#: templates/personal.php:43 +#: templates/personal.php:44 msgid "Current password" msgstr "" -#: templates/personal.php:45 +#: templates/personal.php:46 msgid "New password" msgstr "" -#: templates/personal.php:47 +#: templates/personal.php:48 msgid "Change password" msgstr "" -#: templates/personal.php:59 templates/users.php:85 +#: templates/personal.php:60 templates/users.php:85 msgid "Display Name" msgstr "" -#: templates/personal.php:74 +#: templates/personal.php:75 msgid "Email" msgstr "" -#: templates/personal.php:76 +#: templates/personal.php:77 msgid "Your email address" msgstr "" -#: templates/personal.php:77 +#: templates/personal.php:78 msgid "Fill in an email address to enable password recovery" msgstr "" -#: templates/personal.php:86 templates/personal.php:87 +#: templates/personal.php:87 templates/personal.php:88 msgid "Language" msgstr "" -#: templates/personal.php:99 +#: templates/personal.php:100 msgid "Help translate" msgstr "" -#: templates/personal.php:105 +#: templates/personal.php:106 msgid "WebDAV" msgstr "" -#: templates/personal.php:107 -msgid "Use this address to connect to your ownCloud in your file manager" +#: templates/personal.php:108 +#, php-format +msgid "" +"Use this address to access your Files via WebDAV" msgstr "" #: templates/users.php:21 diff --git a/l10n/sk_SK/core.po b/l10n/sk_SK/core.po index 82f9604d2c..0745d2b735 100644 --- a/l10n/sk_SK/core.po +++ b/l10n/sk_SK/core.po @@ -8,9 +8,9 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:12+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:04+0000\n" +"Last-Translator: mhh \n" "Language-Team: Slovak (Slovakia) (http://www.transifex.com/projects/p/owncloud/language/sk_SK/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -138,59 +138,59 @@ msgstr "November" msgid "December" msgstr "December" -#: js/js.js:289 +#: js/js.js:293 msgid "Settings" msgstr "Nastavenia" -#: js/js.js:721 +#: js/js.js:715 msgid "seconds ago" msgstr "pred sekundami" -#: js/js.js:722 +#: js/js.js:716 msgid "1 minute ago" msgstr "pred minútou" -#: js/js.js:723 +#: js/js.js:717 msgid "{minutes} minutes ago" msgstr "pred {minutes} minútami" -#: js/js.js:724 +#: js/js.js:718 msgid "1 hour ago" msgstr "Pred 1 hodinou" -#: js/js.js:725 +#: js/js.js:719 msgid "{hours} hours ago" msgstr "Pred {hours} hodinami." -#: js/js.js:726 +#: js/js.js:720 msgid "today" msgstr "dnes" -#: js/js.js:727 +#: js/js.js:721 msgid "yesterday" msgstr "včera" -#: js/js.js:728 +#: js/js.js:722 msgid "{days} days ago" msgstr "pred {days} dňami" -#: js/js.js:729 +#: js/js.js:723 msgid "last month" msgstr "minulý mesiac" -#: js/js.js:730 +#: js/js.js:724 msgid "{months} months ago" msgstr "Pred {months} mesiacmi." -#: js/js.js:731 +#: js/js.js:725 msgid "months ago" msgstr "pred mesiacmi" -#: js/js.js:732 +#: js/js.js:726 msgid "last year" msgstr "minulý rok" -#: js/js.js:733 +#: js/js.js:727 msgid "years ago" msgstr "pred rokmi" @@ -226,8 +226,8 @@ msgstr "Nešpecifikovaný typ objektu." #: js/oc-vcategories.js:14 js/oc-vcategories.js:80 js/oc-vcategories.js:95 #: js/oc-vcategories.js:110 js/oc-vcategories.js:125 js/oc-vcategories.js:136 #: js/oc-vcategories.js:172 js/oc-vcategories.js:189 js/oc-vcategories.js:195 -#: js/oc-vcategories.js:199 js/share.js:136 js/share.js:143 js/share.js:618 -#: js/share.js:630 +#: js/oc-vcategories.js:199 js/share.js:136 js/share.js:143 js/share.js:625 +#: js/share.js:637 msgid "Error" msgstr "Chyba" @@ -247,7 +247,7 @@ msgstr "Zdieľané" msgid "Share" msgstr "Zdieľať" -#: js/share.js:125 js/share.js:658 +#: js/share.js:125 js/share.js:665 msgid "Error while sharing" msgstr "Chyba počas zdieľania" @@ -267,114 +267,114 @@ msgstr "Zdieľané s vami a so skupinou {group} používateľom {owner}" msgid "Shared with you by {owner}" msgstr "Zdieľané s vami používateľom {owner}" -#: js/share.js:172 +#: js/share.js:177 msgid "Share with" msgstr "Zdieľať s" -#: js/share.js:177 +#: js/share.js:182 msgid "Share with link" msgstr "Zdieľať cez odkaz" -#: js/share.js:180 +#: js/share.js:185 msgid "Password protect" msgstr "Chrániť heslom" -#: js/share.js:182 templates/installation.php:54 templates/login.php:26 +#: js/share.js:187 templates/installation.php:54 templates/login.php:26 msgid "Password" msgstr "Heslo" -#: js/share.js:186 +#: js/share.js:192 msgid "Allow Public Upload" -msgstr "" +msgstr "Povoliť verejné nahrávanie" -#: js/share.js:189 +#: js/share.js:196 msgid "Email link to person" msgstr "Odoslať odkaz emailom" -#: js/share.js:190 +#: js/share.js:197 msgid "Send" msgstr "Odoslať" -#: js/share.js:195 +#: js/share.js:202 msgid "Set expiration date" msgstr "Nastaviť dátum expirácie" -#: js/share.js:196 +#: js/share.js:203 msgid "Expiration date" msgstr "Dátum expirácie" -#: js/share.js:228 +#: js/share.js:235 msgid "Share via email:" msgstr "Zdieľať cez e-mail:" -#: js/share.js:230 +#: js/share.js:237 msgid "No people found" msgstr "Používateľ nenájdený" -#: js/share.js:268 +#: js/share.js:275 msgid "Resharing is not allowed" msgstr "Zdieľanie už zdieľanej položky nie je povolené" -#: js/share.js:304 +#: js/share.js:311 msgid "Shared in {item} with {user}" msgstr "Zdieľané v {item} s {user}" -#: js/share.js:325 +#: js/share.js:332 msgid "Unshare" msgstr "Zrušiť zdieľanie" -#: js/share.js:337 +#: js/share.js:344 msgid "can edit" msgstr "môže upraviť" -#: js/share.js:339 +#: js/share.js:346 msgid "access control" msgstr "prístupové práva" -#: js/share.js:342 +#: js/share.js:349 msgid "create" msgstr "vytvoriť" -#: js/share.js:345 +#: js/share.js:352 msgid "update" msgstr "aktualizovať" -#: js/share.js:348 +#: js/share.js:355 msgid "delete" msgstr "vymazať" -#: js/share.js:351 +#: js/share.js:358 msgid "share" msgstr "zdieľať" -#: js/share.js:385 js/share.js:605 +#: js/share.js:392 js/share.js:612 msgid "Password protected" msgstr "Chránené heslom" -#: js/share.js:618 +#: js/share.js:625 msgid "Error unsetting expiration date" msgstr "Chyba pri odstraňovaní dátumu expirácie" -#: js/share.js:630 +#: js/share.js:637 msgid "Error setting expiration date" msgstr "Chyba pri nastavení dátumu expirácie" -#: js/share.js:645 +#: js/share.js:652 msgid "Sending ..." msgstr "Odosielam ..." -#: js/share.js:656 +#: js/share.js:663 msgid "Email sent" msgstr "Email odoslaný" -#: js/update.js:14 +#: js/update.js:17 msgid "" "The update was unsuccessful. Please report this issue to the ownCloud " "community." msgstr "Aktualizácia nebola úspešná. Problém nahláste na ownCloud community." -#: js/update.js:18 +#: js/update.js:21 msgid "The update was successful. Redirecting you to ownCloud now." msgstr "Aktualizácia bola úspešná. Presmerovávam na prihlasovaciu stránku." @@ -412,7 +412,7 @@ msgid "" "will be no way to get your data back after your password is reset. If you " "are not sure what to do, please contact your administrator before you " "continue. Do you really want to continue?" -msgstr "" +msgstr "Vaše súbory sú šifrované. Ak nemáte povolený kľúč obnovy, nie je spôsob, ako získať po obnove hesla Vaše dáta. Ak nie ste si isí tým, čo robíte, obráťte sa najskôr na administrátora. Naozaj chcete pokračovať?" #: lostpassword/templates/lostpassword.php:24 msgid "Yes, I really want to reset my password now" @@ -466,7 +466,7 @@ msgstr "Prístup odmietnutý" msgid "Cloud not found" msgstr "Nenájdené" -#: templates/altmail.php:2 +#: templates/altmail.php:4 #, php-format msgid "" "Hey there,\n" @@ -477,10 +477,6 @@ msgid "" "Cheers!" msgstr "Ahoj,\n\nChcem Vám oznámiť, že %s s Vami zdieľa %s.\nPozrieť si to môžete tu: %s\n\nVďaka" -#: templates/altmail.php:7 templates/mail.php:24 -msgid "web services under your control" -msgstr "webové služby pod Vašou kontrolou" - #: templates/edit_categories_dialog.php:4 msgid "Edit categories" msgstr "Upraviť kategórie" @@ -612,7 +608,7 @@ msgstr "Prihlásiť sa" msgid "Alternative Logins" msgstr "Alternatívne prihlasovanie" -#: templates/mail.php:15 +#: templates/mail.php:16 #, php-format msgid "" "Hey there,

    just letting you know that %s shared »%s« with you.
    \n" "Language-Team: Slovak (Slovakia) (http://www.transifex.com/projects/p/owncloud/language/sk_SK/)\n" "MIME-Version: 1.0\n" @@ -28,56 +28,56 @@ msgstr "Nie je možné presunúť %s - súbor s týmto menom už existuje" msgid "Could not move %s" msgstr "Nie je možné presunúť %s" -#: ajax/upload.php:16 ajax/upload.php:39 +#: ajax/upload.php:16 ajax/upload.php:45 msgid "Unable to set upload directory." -msgstr "" +msgstr "Nemožno nastaviť priečinok pre nahrané súbory." -#: ajax/upload.php:23 +#: ajax/upload.php:22 msgid "Invalid Token" -msgstr "" +msgstr "Neplatný token" -#: ajax/upload.php:55 +#: ajax/upload.php:59 msgid "No file was uploaded. Unknown error" msgstr "Žiaden súbor nebol odoslaný. Neznáma chyba" -#: ajax/upload.php:62 +#: ajax/upload.php:66 msgid "There is no error, the file uploaded with success" msgstr "Nenastala žiadna chyba, súbor bol úspešne nahraný" -#: ajax/upload.php:63 +#: ajax/upload.php:67 msgid "" "The uploaded file exceeds the upload_max_filesize directive in php.ini: " msgstr "Nahraný súbor predčil konfiguračnú direktívu upload_max_filesize v súbore php.ini:" -#: ajax/upload.php:65 +#: ajax/upload.php:69 msgid "" "The uploaded file exceeds the MAX_FILE_SIZE directive that was specified in " "the HTML form" msgstr "Ukladaný súbor prekračuje nastavenie MAX_FILE_SIZE z volieb HTML formulára." -#: ajax/upload.php:66 +#: ajax/upload.php:70 msgid "The uploaded file was only partially uploaded" msgstr "Ukladaný súbor sa nahral len čiastočne" -#: ajax/upload.php:67 +#: ajax/upload.php:71 msgid "No file was uploaded" msgstr "Žiadny súbor nebol uložený" -#: ajax/upload.php:68 +#: ajax/upload.php:72 msgid "Missing a temporary folder" msgstr "Chýba dočasný priečinok" -#: ajax/upload.php:69 +#: ajax/upload.php:73 msgid "Failed to write to disk" msgstr "Zápis na disk sa nepodaril" -#: ajax/upload.php:87 +#: ajax/upload.php:91 msgid "Not enough storage available" msgstr "Nedostatok dostupného úložného priestoru" -#: ajax/upload.php:119 +#: ajax/upload.php:123 msgid "Invalid directory." -msgstr "Neplatný priečinok" +msgstr "Neplatný priečinok." #: appinfo/app.php:12 msgid "Files" @@ -93,7 +93,7 @@ msgstr "Nie je k dispozícii dostatok miesta" #: js/file-upload.js:64 msgid "Upload cancelled." -msgstr "Odosielanie zrušené" +msgstr "Odosielanie zrušené." #: js/file-upload.js:167 js/files.js:266 msgid "" @@ -102,7 +102,7 @@ msgstr "Opustenie stránky zruší práve prebiehajúce odosielanie súboru." #: js/file-upload.js:233 js/files.js:339 msgid "URL cannot be empty." -msgstr "URL nemôže byť prázdne" +msgstr "URL nemôže byť prázdne." #: js/file-upload.js:238 lib/app.php:53 msgid "Invalid folder name. Usage of 'Shared' is reserved by ownCloud" @@ -129,43 +129,43 @@ msgstr "Zmazať" msgid "Rename" msgstr "Premenovať" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:464 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:465 msgid "Pending" msgstr "Prebieha" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "{new_name} already exists" msgstr "{new_name} už existuje" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "replace" msgstr "nahradiť" -#: js/filelist.js:302 +#: js/filelist.js:303 msgid "suggest name" msgstr "pomôcť s menom" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "cancel" msgstr "zrušiť" -#: js/filelist.js:349 +#: js/filelist.js:350 msgid "replaced {new_name} with {old_name}" msgstr "prepísaný {new_name} súborom {old_name}" -#: js/filelist.js:349 +#: js/filelist.js:350 msgid "undo" msgstr "vrátiť" -#: js/filelist.js:374 +#: js/filelist.js:375 msgid "perform delete operation" msgstr "vykonať zmazanie" -#: js/filelist.js:456 +#: js/filelist.js:457 msgid "1 file uploading" msgstr "1 súbor sa posiela " -#: js/filelist.js:459 js/filelist.js:517 +#: js/filelist.js:460 js/filelist.js:518 msgid "files uploading" msgstr "nahrávanie súborov" @@ -213,26 +213,26 @@ msgstr "Veľkosť" msgid "Modified" msgstr "Upravené" -#: js/files.js:765 +#: js/files.js:763 msgid "1 folder" msgstr "1 priečinok" -#: js/files.js:767 +#: js/files.js:765 msgid "{count} folders" msgstr "{count} priečinkov" -#: js/files.js:775 +#: js/files.js:773 msgid "1 file" msgstr "1 súbor" -#: js/files.js:777 +#: js/files.js:775 msgid "{count} files" msgstr "{count} súborov" #: lib/app.php:73 #, php-format msgid "%s could not be renamed" -msgstr "" +msgstr "%s nemohol byť premenovaný" #: lib/helper.php:11 templates/index.php:18 msgid "Upload" @@ -328,19 +328,19 @@ msgstr "Čakajte, súbory sú prehľadávané." msgid "Current scanning" msgstr "Práve prezerané" -#: templates/part.list.php:78 +#: templates/part.list.php:74 msgid "directory" -msgstr "" +msgstr "priečinok" -#: templates/part.list.php:80 +#: templates/part.list.php:76 msgid "directories" -msgstr "" +msgstr "priečinky" -#: templates/part.list.php:89 +#: templates/part.list.php:85 msgid "file" msgstr "súbor" -#: templates/part.list.php:91 +#: templates/part.list.php:87 msgid "files" msgstr "súbory" diff --git a/l10n/sk_SK/files_external.po b/l10n/sk_SK/files_external.po index f74c1222c1..5f990176d0 100644 --- a/l10n/sk_SK/files_external.po +++ b/l10n/sk_SK/files_external.po @@ -8,8 +8,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: mhh \n" "Language-Team: Slovak (Slovakia) (http://www.transifex.com/projects/p/owncloud/language/sk_SK/)\n" "MIME-Version: 1.0\n" @@ -38,20 +38,20 @@ msgstr "Zadajte platný kľúč aplikácie a heslo Dropbox" msgid "Error configuring Google Drive storage" msgstr "Chyba pri konfigurácii úložiska Google drive" -#: lib/config.php:431 +#: lib/config.php:447 msgid "" "Warning: \"smbclient\" is not installed. Mounting of CIFS/SMB shares " "is not possible. Please ask your system administrator to install it." msgstr "Upozornenie: \"smbclient\" nie je nainštalovaný. Nie je možné pripojenie oddielov CIFS/SMB. Požiadajte administrátora systému, nech ho nainštaluje." -#: lib/config.php:434 +#: lib/config.php:450 msgid "" "Warning: The FTP support in PHP is not enabled or installed. Mounting" " of FTP shares is not possible. Please ask your system administrator to " "install it." msgstr "Upozornenie: Podpora FTP v PHP nie je povolená alebo nainštalovaná. Nie je možné pripojenie oddielov FTP. Požiadajte administrátora systému, nech ho nainštaluje." -#: lib/config.php:437 +#: lib/config.php:453 msgid "" "Warning: The Curl support in PHP is not enabled or installed. " "Mounting of ownCloud / WebDAV or GoogleDrive is not possible. Please ask " diff --git a/l10n/sk_SK/files_sharing.po b/l10n/sk_SK/files_sharing.po index f03437d7b5..f48e3f693e 100644 --- a/l10n/sk_SK/files_sharing.po +++ b/l10n/sk_SK/files_sharing.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:13+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: I Robot \n" "Language-Team: Slovak (Slovakia) (http://www.transifex.com/projects/p/owncloud/language/sk_SK/)\n" "MIME-Version: 1.0\n" @@ -39,18 +39,18 @@ msgstr "%s zdieľa s vami priečinok %s" msgid "%s shared the file %s with you" msgstr "%s zdieľa s vami súbor %s" -#: templates/public.php:28 templates/public.php:86 +#: templates/public.php:28 templates/public.php:90 msgid "Download" msgstr "Sťahovanie" -#: templates/public.php:44 +#: templates/public.php:45 templates/public.php:48 msgid "Upload" msgstr "Odoslať" -#: templates/public.php:54 +#: templates/public.php:58 msgid "Cancel upload" msgstr "Zrušiť odosielanie" -#: templates/public.php:83 +#: templates/public.php:87 msgid "No preview available for" msgstr "Žiaden náhľad k dispozícii pre" diff --git a/l10n/sk_SK/files_trashbin.po b/l10n/sk_SK/files_trashbin.po index 927e189150..76e859c664 100644 --- a/l10n/sk_SK/files_trashbin.po +++ b/l10n/sk_SK/files_trashbin.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: I Robot \n" "Language-Team: Slovak (Slovakia) (http://www.transifex.com/projects/p/owncloud/language/sk_SK/)\n" "MIME-Version: 1.0\n" diff --git a/l10n/sk_SK/lib.po b/l10n/sk_SK/lib.po index e4a4f8d82f..804de8e425 100644 --- a/l10n/sk_SK/lib.po +++ b/l10n/sk_SK/lib.po @@ -8,8 +8,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:13+0000\n" +"POT-Creation-Date: 2013-07-24 01:55-0400\n" +"PO-Revision-Date: 2013-07-24 05:55+0000\n" "Last-Translator: I Robot \n" "Language-Team: Slovak (Slovakia) (http://www.transifex.com/projects/p/owncloud/language/sk_SK/)\n" "MIME-Version: 1.0\n" @@ -42,27 +42,43 @@ msgstr "Aplikácie" msgid "Admin" msgstr "Administrátor" -#: defaults.php:33 -msgid "web services under your control" +#: app.php:844 +#, php-format +msgid "Failed to upgrade \"%s\"." msgstr "" -#: files.php:210 +#: defaults.php:33 +msgid "web services under your control" +msgstr "webové služby pod Vašou kontrolou" + +#: files.php:66 files.php:98 +#, php-format +msgid "cannot open \"%s\"" +msgstr "" + +#: files.php:226 msgid "ZIP download is turned off." msgstr "Sťahovanie súborov ZIP je vypnuté." -#: files.php:211 +#: files.php:227 msgid "Files need to be downloaded one by one." msgstr "Súbory musia byť nahrávané jeden za druhým." -#: files.php:212 files.php:245 +#: files.php:228 files.php:256 msgid "Back to Files" msgstr "Späť na súbory" -#: files.php:242 +#: files.php:253 msgid "Selected files too large to generate zip file." msgstr "Zvolené súbory sú príliš veľké na vygenerovanie zip súboru." -#: helper.php:236 +#: files.php:254 +msgid "" +"Download the files in smaller chunks, seperately or kindly ask your " +"administrator." +msgstr "" + +#: helper.php:235 msgid "couldn't be determined" msgstr "nedá sa zistiť" @@ -171,77 +187,81 @@ msgstr "Podozrivý príkaz bol: \"%s\", meno: %s, heslo: %s" msgid "PostgreSQL username and/or password not valid" msgstr "Používateľské meno a/alebo heslo pre PostgreSQL databázu je neplatné" -#: setup.php:42 +#: setup.php:28 msgid "Set an admin username." msgstr "Zadajte používateľské meno administrátora." -#: setup.php:45 +#: setup.php:31 msgid "Set an admin password." msgstr "Zadajte heslo administrátora." -#: setup.php:198 +#: setup.php:184 msgid "" "Your web server is not yet properly setup to allow files synchronization " "because the WebDAV interface seems to be broken." msgstr "Váš webový server nie je správne nastavený na synchronizáciu, pretože rozhranie WebDAV je poškodené." -#: setup.php:199 +#: setup.php:185 #, php-format msgid "Please double check the installation guides." msgstr "Prosím skontrolujte inštalačnú príručku." -#: template.php:113 +#: template/functions.php:80 msgid "seconds ago" msgstr "pred sekundami" -#: template.php:114 +#: template/functions.php:81 msgid "1 minute ago" msgstr "pred minútou" -#: template.php:115 +#: template/functions.php:82 #, php-format msgid "%d minutes ago" msgstr "pred %d minútami" -#: template.php:116 +#: template/functions.php:83 msgid "1 hour ago" msgstr "Pred 1 hodinou" -#: template.php:117 +#: template/functions.php:84 #, php-format msgid "%d hours ago" msgstr "Pred %d hodinami." -#: template.php:118 +#: template/functions.php:85 msgid "today" msgstr "dnes" -#: template.php:119 +#: template/functions.php:86 msgid "yesterday" msgstr "včera" -#: template.php:120 +#: template/functions.php:87 #, php-format msgid "%d days ago" msgstr "pred %d dňami" -#: template.php:121 +#: template/functions.php:88 msgid "last month" msgstr "minulý mesiac" -#: template.php:122 +#: template/functions.php:89 #, php-format msgid "%d months ago" msgstr "Pred %d mesiacmi." -#: template.php:123 +#: template/functions.php:90 msgid "last year" msgstr "minulý rok" -#: template.php:124 +#: template/functions.php:91 msgid "years ago" msgstr "pred rokmi" +#: template.php:296 +msgid "Caused by:" +msgstr "" + #: vcategories.php:188 vcategories.php:249 #, php-format msgid "Could not find category \"%s\"" diff --git a/l10n/sk_SK/settings.po b/l10n/sk_SK/settings.po index a5564b8787..ca8f6decd8 100644 --- a/l10n/sk_SK/settings.po +++ b/l10n/sk_SK/settings.po @@ -8,9 +8,9 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" -"Last-Translator: mhh \n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:55+0000\n" +"Last-Translator: I Robot \n" "Language-Team: Slovak (Slovakia) (http://www.transifex.com/projects/p/owncloud/language/sk_SK/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -274,62 +274,71 @@ msgstr "Povoliť odkazy" msgid "Allow users to share items to the public with links" msgstr "Povoliť používateľom zdieľať položky pre verejnosť cez odkazy" -#: templates/admin.php:152 +#: templates/admin.php:153 +msgid "Allow public uploads" +msgstr "" + +#: templates/admin.php:154 +msgid "" +"Allow users to enable others to upload into their publicly shared folders" +msgstr "" + +#: templates/admin.php:162 msgid "Allow resharing" msgstr "Povoliť zdieľanie ďalej" -#: templates/admin.php:153 +#: templates/admin.php:163 msgid "Allow users to share items shared with them again" msgstr "Povoliť používateľom ďalej zdieľať zdieľané položky" -#: templates/admin.php:160 +#: templates/admin.php:170 msgid "Allow users to share with anyone" msgstr "Povoliť používateľom zdieľať s kýmkoľvek" -#: templates/admin.php:163 +#: templates/admin.php:173 msgid "Allow users to only share with users in their groups" msgstr "Povoliť používateľom zdieľať len s používateľmi v ich skupinách" -#: templates/admin.php:170 +#: templates/admin.php:180 msgid "Security" msgstr "Zabezpečenie" -#: templates/admin.php:183 +#: templates/admin.php:193 msgid "Enforce HTTPS" msgstr "Vynútiť HTTPS" -#: templates/admin.php:184 +#: templates/admin.php:194 msgid "" "Enforces the clients to connect to ownCloud via an encrypted connection." msgstr "Vynúti pripojovanie klientov ownCloud cez šifrované pripojenie." -#: templates/admin.php:187 +#: templates/admin.php:197 msgid "" "Please connect to this ownCloud instance via HTTPS to enable or disable the " "SSL enforcement." msgstr "Pripojte sa k tejto inštancii ownCloud cez HTTPS pre povolenie alebo zakázanie vynútenia SSL." -#: templates/admin.php:197 +#: templates/admin.php:207 msgid "Log" msgstr "Záznam" -#: templates/admin.php:198 +#: templates/admin.php:208 msgid "Log level" msgstr "Úroveň záznamu" -#: templates/admin.php:229 +#: templates/admin.php:239 msgid "More" msgstr "Viac" -#: templates/admin.php:230 +#: templates/admin.php:240 msgid "Less" msgstr "Menej" -#: templates/admin.php:236 templates/personal.php:116 +#: templates/admin.php:246 templates/personal.php:116 msgid "Version" msgstr "Verzia" -#: templates/admin.php:240 templates/personal.php:119 +#: templates/admin.php:250 templates/personal.php:119 msgid "" "Developed by the ownCloud community, the access your Files via WebDAV" +msgstr "Použite túto adresu pre prístup k súborom cez WebDAV" #: templates/users.php:21 msgid "Login Name" diff --git a/l10n/sk_SK/user_ldap.po b/l10n/sk_SK/user_ldap.po index 31f55ab48e..9ffc5a75bf 100644 --- a/l10n/sk_SK/user_ldap.po +++ b/l10n/sk_SK/user_ldap.po @@ -8,8 +8,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: mhh \n" "Language-Team: Slovak (Slovakia) (http://www.transifex.com/projects/p/owncloud/language/sk_SK/)\n" "MIME-Version: 1.0\n" diff --git a/l10n/sl/core.po b/l10n/sl/core.po index cb93b7bd42..b45b9c4b25 100644 --- a/l10n/sl/core.po +++ b/l10n/sl/core.po @@ -9,9 +9,9 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:12+0000\n" -"Last-Translator: barbarak \n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:04+0000\n" +"Last-Translator: I Robot \n" "Language-Team: Slovenian (http://www.transifex.com/projects/p/owncloud/language/sl/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -139,59 +139,59 @@ msgstr "november" msgid "December" msgstr "december" -#: js/js.js:289 +#: js/js.js:293 msgid "Settings" msgstr "Nastavitve" -#: js/js.js:721 +#: js/js.js:715 msgid "seconds ago" msgstr "pred nekaj sekundami" -#: js/js.js:722 +#: js/js.js:716 msgid "1 minute ago" msgstr "pred minuto" -#: js/js.js:723 +#: js/js.js:717 msgid "{minutes} minutes ago" msgstr "pred {minutes} minutami" -#: js/js.js:724 +#: js/js.js:718 msgid "1 hour ago" msgstr "Pred 1 uro" -#: js/js.js:725 +#: js/js.js:719 msgid "{hours} hours ago" msgstr "pred {hours} urami" -#: js/js.js:726 +#: js/js.js:720 msgid "today" msgstr "danes" -#: js/js.js:727 +#: js/js.js:721 msgid "yesterday" msgstr "včeraj" -#: js/js.js:728 +#: js/js.js:722 msgid "{days} days ago" msgstr "pred {days} dnevi" -#: js/js.js:729 +#: js/js.js:723 msgid "last month" msgstr "zadnji mesec" -#: js/js.js:730 +#: js/js.js:724 msgid "{months} months ago" msgstr "pred {months} meseci" -#: js/js.js:731 +#: js/js.js:725 msgid "months ago" msgstr "mesecev nazaj" -#: js/js.js:732 +#: js/js.js:726 msgid "last year" msgstr "lansko leto" -#: js/js.js:733 +#: js/js.js:727 msgid "years ago" msgstr "let nazaj" @@ -227,8 +227,8 @@ msgstr "Vrsta predmeta ni podana." #: js/oc-vcategories.js:14 js/oc-vcategories.js:80 js/oc-vcategories.js:95 #: js/oc-vcategories.js:110 js/oc-vcategories.js:125 js/oc-vcategories.js:136 #: js/oc-vcategories.js:172 js/oc-vcategories.js:189 js/oc-vcategories.js:195 -#: js/oc-vcategories.js:199 js/share.js:136 js/share.js:143 js/share.js:618 -#: js/share.js:630 +#: js/oc-vcategories.js:199 js/share.js:136 js/share.js:143 js/share.js:625 +#: js/share.js:637 msgid "Error" msgstr "Napaka" @@ -248,7 +248,7 @@ msgstr "V souporabi" msgid "Share" msgstr "Souporaba" -#: js/share.js:125 js/share.js:658 +#: js/share.js:125 js/share.js:665 msgid "Error while sharing" msgstr "Napaka med souporabo" @@ -268,114 +268,114 @@ msgstr "V souporabi z vami in skupino {group}. Lastnik je {owner}." msgid "Shared with you by {owner}" msgstr "V souporabi z vami. Lastnik je {owner}." -#: js/share.js:172 +#: js/share.js:177 msgid "Share with" msgstr "Omogoči souporabo z" -#: js/share.js:177 +#: js/share.js:182 msgid "Share with link" msgstr "Omogoči souporabo preko povezave" -#: js/share.js:180 +#: js/share.js:185 msgid "Password protect" msgstr "Zaščiti z geslom" -#: js/share.js:182 templates/installation.php:54 templates/login.php:26 +#: js/share.js:187 templates/installation.php:54 templates/login.php:26 msgid "Password" msgstr "Geslo" -#: js/share.js:186 +#: js/share.js:192 msgid "Allow Public Upload" msgstr "Dovoli javne prenose na strežnik" -#: js/share.js:189 +#: js/share.js:196 msgid "Email link to person" msgstr "Posreduj povezavo po elektronski pošti" -#: js/share.js:190 +#: js/share.js:197 msgid "Send" msgstr "Pošlji" -#: js/share.js:195 +#: js/share.js:202 msgid "Set expiration date" msgstr "Nastavi datum preteka" -#: js/share.js:196 +#: js/share.js:203 msgid "Expiration date" msgstr "Datum preteka" -#: js/share.js:228 +#: js/share.js:235 msgid "Share via email:" msgstr "Souporaba preko elektronske pošte:" -#: js/share.js:230 +#: js/share.js:237 msgid "No people found" msgstr "Ni najdenih uporabnikov" -#: js/share.js:268 +#: js/share.js:275 msgid "Resharing is not allowed" msgstr "Nadaljnja souporaba ni dovoljena" -#: js/share.js:304 +#: js/share.js:311 msgid "Shared in {item} with {user}" msgstr "V souporabi v {item} z {user}" -#: js/share.js:325 +#: js/share.js:332 msgid "Unshare" msgstr "Prekliči souporabo" -#: js/share.js:337 +#: js/share.js:344 msgid "can edit" msgstr "lahko ureja" -#: js/share.js:339 +#: js/share.js:346 msgid "access control" msgstr "nadzor dostopa" -#: js/share.js:342 +#: js/share.js:349 msgid "create" msgstr "ustvari" -#: js/share.js:345 +#: js/share.js:352 msgid "update" msgstr "posodobi" -#: js/share.js:348 +#: js/share.js:355 msgid "delete" msgstr "izbriši" -#: js/share.js:351 +#: js/share.js:358 msgid "share" msgstr "določi souporabo" -#: js/share.js:385 js/share.js:605 +#: js/share.js:392 js/share.js:612 msgid "Password protected" msgstr "Zaščiteno z geslom" -#: js/share.js:618 +#: js/share.js:625 msgid "Error unsetting expiration date" msgstr "Napaka brisanja datuma preteka" -#: js/share.js:630 +#: js/share.js:637 msgid "Error setting expiration date" msgstr "Napaka med nastavljanjem datuma preteka" -#: js/share.js:645 +#: js/share.js:652 msgid "Sending ..." msgstr "Pošiljanje ..." -#: js/share.js:656 +#: js/share.js:663 msgid "Email sent" msgstr "Elektronska pošta je poslana" -#: js/update.js:14 +#: js/update.js:17 msgid "" "The update was unsuccessful. Please report this issue to the ownCloud " "community." msgstr "Posodobitev ni uspela. Pošljite poročilo o napaki na sistemu ownCloud." -#: js/update.js:18 +#: js/update.js:21 msgid "The update was successful. Redirecting you to ownCloud now." msgstr "Posodobitev je uspešno končana. Stran bo preusmerjena na oblak ownCloud." @@ -467,7 +467,7 @@ msgstr "Dostop je prepovedan" msgid "Cloud not found" msgstr "Oblaka ni mogoče najti" -#: templates/altmail.php:2 +#: templates/altmail.php:4 #, php-format msgid "" "Hey there,\n" @@ -478,10 +478,6 @@ msgid "" "Cheers!" msgstr "Pozdravljen/a,⏎\n⏎\nsporočam, da je %s delil %s s teboj.⏎\nPoglej na: %s⏎\n⏎\nLep pozdrav!" -#: templates/altmail.php:7 templates/mail.php:24 -msgid "web services under your control" -msgstr "spletne storitve pod vašim nadzorom" - #: templates/edit_categories_dialog.php:4 msgid "Edit categories" msgstr "Uredi kategorije" @@ -613,7 +609,7 @@ msgstr "Prijava" msgid "Alternative Logins" msgstr "Druge prijavne možnosti" -#: templates/mail.php:15 +#: templates/mail.php:16 #, php-format msgid "" "Hey there,

    just letting you know that %s shared »%s« with you.
    \n" "Language-Team: Slovenian (http://www.transifex.com/projects/p/owncloud/language/sl/)\n" "MIME-Version: 1.0\n" @@ -21,61 +21,61 @@ msgstr "" #: ajax/move.php:17 #, php-format msgid "Could not move %s - File with this name already exists" -msgstr "Ni mogoče premakniti %s - datoteka s tem imenom že obstaja" +msgstr "%s ni mogoče premakniti - datoteka s tem imenom že obstaja" #: ajax/move.php:27 ajax/move.php:30 #, php-format msgid "Could not move %s" msgstr "Ni mogoče premakniti %s" -#: ajax/upload.php:16 ajax/upload.php:39 +#: ajax/upload.php:16 ajax/upload.php:45 msgid "Unable to set upload directory." msgstr "Mapo, v katero boste prenašali dokumente, ni mogoče določiti" -#: ajax/upload.php:23 +#: ajax/upload.php:22 msgid "Invalid Token" msgstr "Neveljaven žeton" -#: ajax/upload.php:55 +#: ajax/upload.php:59 msgid "No file was uploaded. Unknown error" msgstr "Ni poslane datoteke. Neznana napaka." -#: ajax/upload.php:62 +#: ajax/upload.php:66 msgid "There is no error, the file uploaded with success" msgstr "Datoteka je uspešno naložena." -#: ajax/upload.php:63 +#: ajax/upload.php:67 msgid "" "The uploaded file exceeds the upload_max_filesize directive in php.ini: " msgstr "Poslana datoteka presega dovoljeno velikost, ki je določena z možnostjo upload_max_filesize v datoteki php.ini:" -#: ajax/upload.php:65 +#: ajax/upload.php:69 msgid "" "The uploaded file exceeds the MAX_FILE_SIZE directive that was specified in " "the HTML form" msgstr "Poslana datoteka presega velikost, ki jo določa parameter največje dovoljene velikosti v obrazcu HTML." -#: ajax/upload.php:66 +#: ajax/upload.php:70 msgid "The uploaded file was only partially uploaded" msgstr "Poslan je le del datoteke." -#: ajax/upload.php:67 +#: ajax/upload.php:71 msgid "No file was uploaded" msgstr "Ni poslane datoteke" -#: ajax/upload.php:68 +#: ajax/upload.php:72 msgid "Missing a temporary folder" msgstr "Manjka začasna mapa" -#: ajax/upload.php:69 +#: ajax/upload.php:73 msgid "Failed to write to disk" msgstr "Pisanje na disk je spodletelo" -#: ajax/upload.php:87 +#: ajax/upload.php:91 msgid "Not enough storage available" msgstr "Na voljo ni dovolj prostora" -#: ajax/upload.php:119 +#: ajax/upload.php:123 msgid "Invalid directory." msgstr "Neveljavna mapa." @@ -129,43 +129,43 @@ msgstr "Izbriši" msgid "Rename" msgstr "Preimenuj" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:464 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:465 msgid "Pending" msgstr "V čakanju ..." -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "{new_name} already exists" msgstr "{new_name} že obstaja" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "replace" msgstr "zamenjaj" -#: js/filelist.js:302 +#: js/filelist.js:303 msgid "suggest name" msgstr "predlagaj ime" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "cancel" msgstr "prekliči" -#: js/filelist.js:349 +#: js/filelist.js:350 msgid "replaced {new_name} with {old_name}" msgstr "preimenovano ime {new_name} z imenom {old_name}" -#: js/filelist.js:349 +#: js/filelist.js:350 msgid "undo" msgstr "razveljavi" -#: js/filelist.js:374 +#: js/filelist.js:375 msgid "perform delete operation" msgstr "izvedi opravilo brisanja" -#: js/filelist.js:456 +#: js/filelist.js:457 msgid "1 file uploading" msgstr "Pošiljanje 1 datoteke" -#: js/filelist.js:459 js/filelist.js:517 +#: js/filelist.js:460 js/filelist.js:518 msgid "files uploading" msgstr "poteka pošiljanje datotek" @@ -213,26 +213,26 @@ msgstr "Velikost" msgid "Modified" msgstr "Spremenjeno" -#: js/files.js:765 +#: js/files.js:763 msgid "1 folder" msgstr "1 mapa" -#: js/files.js:767 +#: js/files.js:765 msgid "{count} folders" msgstr "{count} map" -#: js/files.js:775 +#: js/files.js:773 msgid "1 file" msgstr "1 datoteka" -#: js/files.js:777 +#: js/files.js:775 msgid "{count} files" msgstr "{count} datotek" #: lib/app.php:73 #, php-format msgid "%s could not be renamed" -msgstr "" +msgstr "%s ni bilo mogoče preimenovati" #: lib/helper.php:11 templates/index.php:18 msgid "Upload" @@ -328,19 +328,19 @@ msgstr "Poteka preučevanje datotek, počakajte ..." msgid "Current scanning" msgstr "Trenutno poteka preučevanje" -#: templates/part.list.php:78 +#: templates/part.list.php:74 msgid "directory" -msgstr "" +msgstr "direktorij" -#: templates/part.list.php:80 +#: templates/part.list.php:76 msgid "directories" -msgstr "" +msgstr "direktoriji" -#: templates/part.list.php:89 +#: templates/part.list.php:85 msgid "file" msgstr "datoteka" -#: templates/part.list.php:91 +#: templates/part.list.php:87 msgid "files" msgstr "datoteke" diff --git a/l10n/sl/files_external.po b/l10n/sl/files_external.po index bd859f79fc..90cc598ec8 100644 --- a/l10n/sl/files_external.po +++ b/l10n/sl/files_external.po @@ -8,8 +8,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: mateju <>\n" "Language-Team: Slovenian (http://www.transifex.com/projects/p/owncloud/language/sl/)\n" "MIME-Version: 1.0\n" @@ -38,20 +38,20 @@ msgstr "Vpisati je treba veljaven ključ programa in kodo za Dropbox" msgid "Error configuring Google Drive storage" msgstr "Napaka nastavljanja shrambe Google Drive" -#: lib/config.php:431 +#: lib/config.php:447 msgid "" "Warning: \"smbclient\" is not installed. Mounting of CIFS/SMB shares " "is not possible. Please ask your system administrator to install it." msgstr "Opozorilo: paket \"smbclient\" ni nameščen. Priklapljanje pogonov CIFS/SMB ne bo mogoče." -#: lib/config.php:434 +#: lib/config.php:450 msgid "" "Warning: The FTP support in PHP is not enabled or installed. Mounting" " of FTP shares is not possible. Please ask your system administrator to " "install it." msgstr "Opozorilo: podpora FTP v PHP ni omogočena ali pa ni nameščena. Priklapljanje pogonov FTP zato ne bo mogoče." -#: lib/config.php:437 +#: lib/config.php:453 msgid "" "Warning: The Curl support in PHP is not enabled or installed. " "Mounting of ownCloud / WebDAV or GoogleDrive is not possible. Please ask " diff --git a/l10n/sl/files_sharing.po b/l10n/sl/files_sharing.po index 7ec9eb98b8..46312bd3d2 100644 --- a/l10n/sl/files_sharing.po +++ b/l10n/sl/files_sharing.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:13+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: I Robot \n" "Language-Team: Slovenian (http://www.transifex.com/projects/p/owncloud/language/sl/)\n" "MIME-Version: 1.0\n" @@ -39,18 +39,18 @@ msgstr "Oseba %s je določila mapo %s za souporabo" msgid "%s shared the file %s with you" msgstr "Oseba %s je določila datoteko %s za souporabo" -#: templates/public.php:28 templates/public.php:86 +#: templates/public.php:28 templates/public.php:90 msgid "Download" msgstr "Prejmi" -#: templates/public.php:44 +#: templates/public.php:45 templates/public.php:48 msgid "Upload" msgstr "Pošlji" -#: templates/public.php:54 +#: templates/public.php:58 msgid "Cancel upload" msgstr "Prekliči pošiljanje" -#: templates/public.php:83 +#: templates/public.php:87 msgid "No preview available for" msgstr "Predogled ni na voljo za" diff --git a/l10n/sl/files_trashbin.po b/l10n/sl/files_trashbin.po index 5dba62b27b..e3a0aa4a53 100644 --- a/l10n/sl/files_trashbin.po +++ b/l10n/sl/files_trashbin.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: I Robot \n" "Language-Team: Slovenian (http://www.transifex.com/projects/p/owncloud/language/sl/)\n" "MIME-Version: 1.0\n" diff --git a/l10n/sl/lib.po b/l10n/sl/lib.po index 1f82014f69..1c5ae53da7 100644 --- a/l10n/sl/lib.po +++ b/l10n/sl/lib.po @@ -8,8 +8,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:13+0000\n" +"POT-Creation-Date: 2013-07-24 01:55-0400\n" +"PO-Revision-Date: 2013-07-24 05:55+0000\n" "Last-Translator: I Robot \n" "Language-Team: Slovenian (http://www.transifex.com/projects/p/owncloud/language/sl/)\n" "MIME-Version: 1.0\n" @@ -42,27 +42,43 @@ msgstr "Programi" msgid "Admin" msgstr "Skrbništvo" -#: defaults.php:33 -msgid "web services under your control" +#: app.php:844 +#, php-format +msgid "Failed to upgrade \"%s\"." msgstr "" -#: files.php:210 +#: defaults.php:33 +msgid "web services under your control" +msgstr "spletne storitve pod vašim nadzorom" + +#: files.php:66 files.php:98 +#, php-format +msgid "cannot open \"%s\"" +msgstr "" + +#: files.php:226 msgid "ZIP download is turned off." msgstr "Prejemanje datotek v paketu ZIP je onemogočeno." -#: files.php:211 +#: files.php:227 msgid "Files need to be downloaded one by one." msgstr "Datoteke je mogoče prejeti le posamično." -#: files.php:212 files.php:245 +#: files.php:228 files.php:256 msgid "Back to Files" msgstr "Nazaj na datoteke" -#: files.php:242 +#: files.php:253 msgid "Selected files too large to generate zip file." msgstr "Izbrane datoteke so prevelike za ustvarjanje datoteke arhiva zip." -#: helper.php:236 +#: files.php:254 +msgid "" +"Download the files in smaller chunks, seperately or kindly ask your " +"administrator." +msgstr "" + +#: helper.php:235 msgid "couldn't be determined" msgstr "ni mogoče določiti" @@ -171,77 +187,81 @@ msgstr "Napačni ukaz je: \"%s\", ime: %s, geslo: %s" msgid "PostgreSQL username and/or password not valid" msgstr "Uporabniško ime ali geslo PostgreSQL ni veljavno" -#: setup.php:42 +#: setup.php:28 msgid "Set an admin username." msgstr "Nastavi uporabniško ime skrbnika." -#: setup.php:45 +#: setup.php:31 msgid "Set an admin password." msgstr "Nastavi geslo skrbnika." -#: setup.php:198 +#: setup.php:184 msgid "" "Your web server is not yet properly setup to allow files synchronization " "because the WebDAV interface seems to be broken." msgstr "Spletni stražnik še ni ustrezno nastavljen in ne omogoča usklajevanja, saj je nastavitev WebDAV okvarjena." -#: setup.php:199 +#: setup.php:185 #, php-format msgid "Please double check the installation guides." msgstr "Preverite navodila namestitve." -#: template.php:113 +#: template/functions.php:80 msgid "seconds ago" msgstr "pred nekaj sekundami" -#: template.php:114 +#: template/functions.php:81 msgid "1 minute ago" msgstr "pred minuto" -#: template.php:115 +#: template/functions.php:82 #, php-format msgid "%d minutes ago" msgstr "pred %d minutami" -#: template.php:116 +#: template/functions.php:83 msgid "1 hour ago" msgstr "Pred 1 uro" -#: template.php:117 +#: template/functions.php:84 #, php-format msgid "%d hours ago" msgstr "Pred %d urami" -#: template.php:118 +#: template/functions.php:85 msgid "today" msgstr "danes" -#: template.php:119 +#: template/functions.php:86 msgid "yesterday" msgstr "včeraj" -#: template.php:120 +#: template/functions.php:87 #, php-format msgid "%d days ago" msgstr "pred %d dnevi" -#: template.php:121 +#: template/functions.php:88 msgid "last month" msgstr "zadnji mesec" -#: template.php:122 +#: template/functions.php:89 #, php-format msgid "%d months ago" msgstr "Pred %d meseci" -#: template.php:123 +#: template/functions.php:90 msgid "last year" msgstr "lansko leto" -#: template.php:124 +#: template/functions.php:91 msgid "years ago" msgstr "let nazaj" +#: template.php:296 +msgid "Caused by:" +msgstr "" + #: vcategories.php:188 vcategories.php:249 #, php-format msgid "Could not find category \"%s\"" diff --git a/l10n/sl/settings.po b/l10n/sl/settings.po index f5a3257c7a..3ce2bad042 100644 --- a/l10n/sl/settings.po +++ b/l10n/sl/settings.po @@ -9,9 +9,9 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" -"Last-Translator: barbarak \n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:55+0000\n" +"Last-Translator: I Robot \n" "Language-Team: Slovenian (http://www.transifex.com/projects/p/owncloud/language/sl/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -275,62 +275,71 @@ msgstr "Dovoli povezave" msgid "Allow users to share items to the public with links" msgstr "Uporabnikom dovoli souporabo predmetov z javnimi povezavami" -#: templates/admin.php:152 +#: templates/admin.php:153 +msgid "Allow public uploads" +msgstr "" + +#: templates/admin.php:154 +msgid "" +"Allow users to enable others to upload into their publicly shared folders" +msgstr "" + +#: templates/admin.php:162 msgid "Allow resharing" msgstr "Dovoli nadaljnjo souporabo" -#: templates/admin.php:153 +#: templates/admin.php:163 msgid "Allow users to share items shared with them again" msgstr "Uporabnikom dovoli nadaljnjo souporabo predmetov" -#: templates/admin.php:160 +#: templates/admin.php:170 msgid "Allow users to share with anyone" msgstr "Uporabnikom dovoli souporabo s komerkoli" -#: templates/admin.php:163 +#: templates/admin.php:173 msgid "Allow users to only share with users in their groups" msgstr "Uporabnikom dovoli souporabo z ostalimi uporabniki njihove skupine" -#: templates/admin.php:170 +#: templates/admin.php:180 msgid "Security" msgstr "Varnost" -#: templates/admin.php:183 +#: templates/admin.php:193 msgid "Enforce HTTPS" msgstr "Zahtevaj uporabo HTTPS" -#: templates/admin.php:184 +#: templates/admin.php:194 msgid "" "Enforces the clients to connect to ownCloud via an encrypted connection." msgstr "Zahtevaj šifrirano povezovanje odjemalcev v oblak ownCloud" -#: templates/admin.php:187 +#: templates/admin.php:197 msgid "" "Please connect to this ownCloud instance via HTTPS to enable or disable the " "SSL enforcement." msgstr "Prijava mora biti vzpostavljena z uporabo protokola HTTPS za omogočanje šifriranja SSL." -#: templates/admin.php:197 +#: templates/admin.php:207 msgid "Log" msgstr "Dnevnik" -#: templates/admin.php:198 +#: templates/admin.php:208 msgid "Log level" msgstr "Raven beleženja" -#: templates/admin.php:229 +#: templates/admin.php:239 msgid "More" msgstr "Več" -#: templates/admin.php:230 +#: templates/admin.php:240 msgid "Less" msgstr "Manj" -#: templates/admin.php:236 templates/personal.php:116 +#: templates/admin.php:246 templates/personal.php:116 msgid "Version" msgstr "Različica" -#: templates/admin.php:240 templates/personal.php:119 +#: templates/admin.php:250 templates/personal.php:119 msgid "" "Developed by the ownCloud community, the access your Files via WebDAV" +msgstr "" #: templates/users.php:21 msgid "Login Name" diff --git a/l10n/sl/user_ldap.po b/l10n/sl/user_ldap.po index f172c51d81..50d52702b7 100644 --- a/l10n/sl/user_ldap.po +++ b/l10n/sl/user_ldap.po @@ -8,8 +8,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: barbarak \n" "Language-Team: Slovenian (http://www.transifex.com/projects/p/owncloud/language/sl/)\n" "MIME-Version: 1.0\n" diff --git a/l10n/sq/core.po b/l10n/sq/core.po index 9dd4c083b5..e9c0656944 100644 --- a/l10n/sq/core.po +++ b/l10n/sq/core.po @@ -8,8 +8,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:12+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:04+0000\n" "Last-Translator: I Robot \n" "Language-Team: Albanian (http://www.transifex.com/projects/p/owncloud/language/sq/)\n" "MIME-Version: 1.0\n" @@ -138,59 +138,59 @@ msgstr "Nëntor" msgid "December" msgstr "Dhjetor" -#: js/js.js:289 +#: js/js.js:293 msgid "Settings" msgstr "Parametra" -#: js/js.js:721 +#: js/js.js:715 msgid "seconds ago" msgstr "sekonda më parë" -#: js/js.js:722 +#: js/js.js:716 msgid "1 minute ago" msgstr "1 minutë më parë" -#: js/js.js:723 +#: js/js.js:717 msgid "{minutes} minutes ago" msgstr "{minutes} minuta më parë" -#: js/js.js:724 +#: js/js.js:718 msgid "1 hour ago" msgstr "1 orë më parë" -#: js/js.js:725 +#: js/js.js:719 msgid "{hours} hours ago" msgstr "{hours} orë më parë" -#: js/js.js:726 +#: js/js.js:720 msgid "today" msgstr "sot" -#: js/js.js:727 +#: js/js.js:721 msgid "yesterday" msgstr "dje" -#: js/js.js:728 +#: js/js.js:722 msgid "{days} days ago" msgstr "{days} ditë më parë" -#: js/js.js:729 +#: js/js.js:723 msgid "last month" msgstr "muajin e shkuar" -#: js/js.js:730 +#: js/js.js:724 msgid "{months} months ago" msgstr "{months} muaj më parë" -#: js/js.js:731 +#: js/js.js:725 msgid "months ago" msgstr "muaj më parë" -#: js/js.js:732 +#: js/js.js:726 msgid "last year" msgstr "vitin e shkuar" -#: js/js.js:733 +#: js/js.js:727 msgid "years ago" msgstr "vite më parë" @@ -226,8 +226,8 @@ msgstr "Nuk është specifikuar tipi i objektit." #: js/oc-vcategories.js:14 js/oc-vcategories.js:80 js/oc-vcategories.js:95 #: js/oc-vcategories.js:110 js/oc-vcategories.js:125 js/oc-vcategories.js:136 #: js/oc-vcategories.js:172 js/oc-vcategories.js:189 js/oc-vcategories.js:195 -#: js/oc-vcategories.js:199 js/share.js:136 js/share.js:143 js/share.js:618 -#: js/share.js:630 +#: js/oc-vcategories.js:199 js/share.js:136 js/share.js:143 js/share.js:625 +#: js/share.js:637 msgid "Error" msgstr "Veprim i gabuar" @@ -247,7 +247,7 @@ msgstr "Ndarë" msgid "Share" msgstr "Nda" -#: js/share.js:125 js/share.js:658 +#: js/share.js:125 js/share.js:665 msgid "Error while sharing" msgstr "Veprim i gabuar gjatë ndarjes" @@ -267,114 +267,114 @@ msgstr "Ndarë me ju dhe me grupin {group} nga {owner}" msgid "Shared with you by {owner}" msgstr "Ndarë me ju nga {owner}" -#: js/share.js:172 +#: js/share.js:177 msgid "Share with" msgstr "Nda me" -#: js/share.js:177 +#: js/share.js:182 msgid "Share with link" msgstr "Nda me lidhje" -#: js/share.js:180 +#: js/share.js:185 msgid "Password protect" msgstr "Mbro me kod" -#: js/share.js:182 templates/installation.php:54 templates/login.php:26 +#: js/share.js:187 templates/installation.php:54 templates/login.php:26 msgid "Password" msgstr "Kodi" -#: js/share.js:186 +#: js/share.js:192 msgid "Allow Public Upload" msgstr "" -#: js/share.js:189 +#: js/share.js:196 msgid "Email link to person" msgstr "Dërgo email me lidhjen" -#: js/share.js:190 +#: js/share.js:197 msgid "Send" msgstr "Dërgo" -#: js/share.js:195 +#: js/share.js:202 msgid "Set expiration date" msgstr "Cakto datën e përfundimit" -#: js/share.js:196 +#: js/share.js:203 msgid "Expiration date" msgstr "Data e përfundimit" -#: js/share.js:228 +#: js/share.js:235 msgid "Share via email:" msgstr "Nda me email:" -#: js/share.js:230 +#: js/share.js:237 msgid "No people found" msgstr "Nuk u gjet asnjë person" -#: js/share.js:268 +#: js/share.js:275 msgid "Resharing is not allowed" msgstr "Rindarja nuk lejohet" -#: js/share.js:304 +#: js/share.js:311 msgid "Shared in {item} with {user}" msgstr "Ndarë në {item} me {user}" -#: js/share.js:325 +#: js/share.js:332 msgid "Unshare" msgstr "Hiq ndarjen" -#: js/share.js:337 +#: js/share.js:344 msgid "can edit" msgstr "mund të ndryshosh" -#: js/share.js:339 +#: js/share.js:346 msgid "access control" msgstr "kontrollimi i hyrjeve" -#: js/share.js:342 +#: js/share.js:349 msgid "create" msgstr "krijo" -#: js/share.js:345 +#: js/share.js:352 msgid "update" msgstr "azhurno" -#: js/share.js:348 +#: js/share.js:355 msgid "delete" msgstr "elimino" -#: js/share.js:351 +#: js/share.js:358 msgid "share" msgstr "nda" -#: js/share.js:385 js/share.js:605 +#: js/share.js:392 js/share.js:612 msgid "Password protected" msgstr "Mbrojtur me kod" -#: js/share.js:618 +#: js/share.js:625 msgid "Error unsetting expiration date" msgstr "Veprim i gabuar gjatë heqjes së datës së përfundimit" -#: js/share.js:630 +#: js/share.js:637 msgid "Error setting expiration date" msgstr "Veprim i gabuar gjatë caktimit të datës së përfundimit" -#: js/share.js:645 +#: js/share.js:652 msgid "Sending ..." msgstr "Duke dërguar..." -#: js/share.js:656 +#: js/share.js:663 msgid "Email sent" msgstr "Email-i u dërgua" -#: js/update.js:14 +#: js/update.js:17 msgid "" "The update was unsuccessful. Please report this issue to the ownCloud " "community." msgstr "Azhurnimi dështoi. Ju lutemi njoftoni për këtë problem komunitetin ownCloud." -#: js/update.js:18 +#: js/update.js:21 msgid "The update was successful. Redirecting you to ownCloud now." msgstr "Azhurnimi u krye. Tani do t'ju kaloj tek ownCloud-i." @@ -466,7 +466,7 @@ msgstr "Ndalohet hyrja" msgid "Cloud not found" msgstr "Cloud-i nuk u gjet" -#: templates/altmail.php:2 +#: templates/altmail.php:4 #, php-format msgid "" "Hey there,\n" @@ -477,10 +477,6 @@ msgid "" "Cheers!" msgstr "" -#: templates/altmail.php:7 templates/mail.php:24 -msgid "web services under your control" -msgstr "shërbime web nën kontrollin tënd" - #: templates/edit_categories_dialog.php:4 msgid "Edit categories" msgstr "Ndrysho kategoritë" @@ -612,7 +608,7 @@ msgstr "Hyrje" msgid "Alternative Logins" msgstr "Hyrje alternative" -#: templates/mail.php:15 +#: templates/mail.php:16 #, php-format msgid "" "Hey there,

    just letting you know that %s shared »%s« with you.
    \n" "Language-Team: Albanian (http://www.transifex.com/projects/p/owncloud/language/sq/)\n" "MIME-Version: 1.0\n" @@ -27,54 +27,54 @@ msgstr "%s nuk u spostua - Aty ekziston një skedar me të njëjtin emër" msgid "Could not move %s" msgstr "%s nuk u spostua" -#: ajax/upload.php:16 ajax/upload.php:39 +#: ajax/upload.php:16 ajax/upload.php:45 msgid "Unable to set upload directory." msgstr "" -#: ajax/upload.php:23 +#: ajax/upload.php:22 msgid "Invalid Token" msgstr "" -#: ajax/upload.php:55 +#: ajax/upload.php:59 msgid "No file was uploaded. Unknown error" msgstr "Nuk u ngarkua asnjë skedar. Veprim i gabuar i panjohur" -#: ajax/upload.php:62 +#: ajax/upload.php:66 msgid "There is no error, the file uploaded with success" msgstr "Nuk pati veprime të gabuara, skedari u ngarkua me sukses" -#: ajax/upload.php:63 +#: ajax/upload.php:67 msgid "" "The uploaded file exceeds the upload_max_filesize directive in php.ini: " msgstr "Skedari i ngarkuar tejkalon udhëzimin upload_max_filesize tek php.ini:" -#: ajax/upload.php:65 +#: ajax/upload.php:69 msgid "" "The uploaded file exceeds the MAX_FILE_SIZE directive that was specified in " "the HTML form" msgstr "Skedari i ngarkuar tejkalon udhëzimin MAX_FILE_SIZE të specifikuar në formularin HTML" -#: ajax/upload.php:66 +#: ajax/upload.php:70 msgid "The uploaded file was only partially uploaded" msgstr "Skedari i ngarkuar u ngarkua vetëm pjesërisht" -#: ajax/upload.php:67 +#: ajax/upload.php:71 msgid "No file was uploaded" msgstr "Nuk u ngarkua asnjë skedar" -#: ajax/upload.php:68 +#: ajax/upload.php:72 msgid "Missing a temporary folder" msgstr "Një dosje e përkohshme nuk u gjet" -#: ajax/upload.php:69 +#: ajax/upload.php:73 msgid "Failed to write to disk" msgstr "Ruajtja në disk dështoi" -#: ajax/upload.php:87 +#: ajax/upload.php:91 msgid "Not enough storage available" msgstr "Nuk ka mbetur hapësirë memorizimi e mjaftueshme" -#: ajax/upload.php:119 +#: ajax/upload.php:123 msgid "Invalid directory." msgstr "Dosje e pavlefshme." @@ -128,43 +128,43 @@ msgstr "Elimino" msgid "Rename" msgstr "Riemërto" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:464 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:465 msgid "Pending" msgstr "Pezulluar" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "{new_name} already exists" msgstr "{new_name} ekziston" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "replace" msgstr "zëvëndëso" -#: js/filelist.js:302 +#: js/filelist.js:303 msgid "suggest name" msgstr "sugjero një emër" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "cancel" msgstr "anulo" -#: js/filelist.js:349 +#: js/filelist.js:350 msgid "replaced {new_name} with {old_name}" msgstr "U zëvëndësua {new_name} me {old_name}" -#: js/filelist.js:349 +#: js/filelist.js:350 msgid "undo" msgstr "anulo" -#: js/filelist.js:374 +#: js/filelist.js:375 msgid "perform delete operation" msgstr "ekzekuto operacionin e eliminimit" -#: js/filelist.js:456 +#: js/filelist.js:457 msgid "1 file uploading" msgstr "Po ngarkohet 1 skedar" -#: js/filelist.js:459 js/filelist.js:517 +#: js/filelist.js:460 js/filelist.js:518 msgid "files uploading" msgstr "po ngarkoj skedarët" @@ -212,19 +212,19 @@ msgstr "Dimensioni" msgid "Modified" msgstr "Modifikuar" -#: js/files.js:765 +#: js/files.js:763 msgid "1 folder" msgstr "1 dosje" -#: js/files.js:767 +#: js/files.js:765 msgid "{count} folders" msgstr "{count} dosje" -#: js/files.js:775 +#: js/files.js:773 msgid "1 file" msgstr "1 skedar" -#: js/files.js:777 +#: js/files.js:775 msgid "{count} files" msgstr "{count} skedarë" @@ -327,19 +327,19 @@ msgstr "Skedarët po analizohen, ju lutemi pritni." msgid "Current scanning" msgstr "Analizimi aktual" -#: templates/part.list.php:78 +#: templates/part.list.php:74 msgid "directory" msgstr "" -#: templates/part.list.php:80 +#: templates/part.list.php:76 msgid "directories" msgstr "" -#: templates/part.list.php:89 +#: templates/part.list.php:85 msgid "file" msgstr "" -#: templates/part.list.php:91 +#: templates/part.list.php:87 msgid "files" msgstr "" diff --git a/l10n/sq/files_external.po b/l10n/sq/files_external.po index 75f4f40a97..c8c772a9bd 100644 --- a/l10n/sq/files_external.po +++ b/l10n/sq/files_external.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: I Robot \n" "Language-Team: Albanian (http://www.transifex.com/projects/p/owncloud/language/sq/)\n" "MIME-Version: 1.0\n" @@ -37,20 +37,20 @@ msgstr "" msgid "Error configuring Google Drive storage" msgstr "" -#: lib/config.php:431 +#: lib/config.php:447 msgid "" "Warning: \"smbclient\" is not installed. Mounting of CIFS/SMB shares " "is not possible. Please ask your system administrator to install it." msgstr "" -#: lib/config.php:434 +#: lib/config.php:450 msgid "" "Warning: The FTP support in PHP is not enabled or installed. Mounting" " of FTP shares is not possible. Please ask your system administrator to " "install it." msgstr "" -#: lib/config.php:437 +#: lib/config.php:453 msgid "" "Warning: The Curl support in PHP is not enabled or installed. " "Mounting of ownCloud / WebDAV or GoogleDrive is not possible. Please ask " diff --git a/l10n/sq/files_sharing.po b/l10n/sq/files_sharing.po index cd10e24824..4e79b13e39 100644 --- a/l10n/sq/files_sharing.po +++ b/l10n/sq/files_sharing.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:13+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: I Robot \n" "Language-Team: Albanian (http://www.transifex.com/projects/p/owncloud/language/sq/)\n" "MIME-Version: 1.0\n" @@ -39,18 +39,18 @@ msgstr "%s ndau me ju dosjen %s" msgid "%s shared the file %s with you" msgstr "%s ndau me ju skedarin %s" -#: templates/public.php:28 templates/public.php:86 +#: templates/public.php:28 templates/public.php:90 msgid "Download" msgstr "Shkarko" -#: templates/public.php:44 +#: templates/public.php:45 templates/public.php:48 msgid "Upload" msgstr "Ngarko" -#: templates/public.php:54 +#: templates/public.php:58 msgid "Cancel upload" msgstr "Anulo ngarkimin" -#: templates/public.php:83 +#: templates/public.php:87 msgid "No preview available for" msgstr "Shikimi paraprak nuk është i mundur për" diff --git a/l10n/sq/files_trashbin.po b/l10n/sq/files_trashbin.po index 019dbc6c4e..517522bc66 100644 --- a/l10n/sq/files_trashbin.po +++ b/l10n/sq/files_trashbin.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: I Robot \n" "Language-Team: Albanian (http://www.transifex.com/projects/p/owncloud/language/sq/)\n" "MIME-Version: 1.0\n" diff --git a/l10n/sq/lib.po b/l10n/sq/lib.po index 08b980ef40..35759acbd8 100644 --- a/l10n/sq/lib.po +++ b/l10n/sq/lib.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:13+0000\n" +"POT-Creation-Date: 2013-07-24 01:55-0400\n" +"PO-Revision-Date: 2013-07-24 05:55+0000\n" "Last-Translator: I Robot \n" "Language-Team: Albanian (http://www.transifex.com/projects/p/owncloud/language/sq/)\n" "MIME-Version: 1.0\n" @@ -41,27 +41,43 @@ msgstr "App" msgid "Admin" msgstr "Admin" -#: defaults.php:33 -msgid "web services under your control" +#: app.php:844 +#, php-format +msgid "Failed to upgrade \"%s\"." msgstr "" -#: files.php:210 +#: defaults.php:33 +msgid "web services under your control" +msgstr "shërbime web nën kontrollin tënd" + +#: files.php:66 files.php:98 +#, php-format +msgid "cannot open \"%s\"" +msgstr "" + +#: files.php:226 msgid "ZIP download is turned off." msgstr "Shkarimi i skedarëve ZIP është i çaktivizuar." -#: files.php:211 +#: files.php:227 msgid "Files need to be downloaded one by one." msgstr "Skedarët duhet të shkarkohen një nga një." -#: files.php:212 files.php:245 +#: files.php:228 files.php:256 msgid "Back to Files" msgstr "Kthehu tek skedarët" -#: files.php:242 +#: files.php:253 msgid "Selected files too large to generate zip file." msgstr "Skedarët e selektuar janë shumë të mëdhenj për të krijuar një skedar ZIP." -#: helper.php:236 +#: files.php:254 +msgid "" +"Download the files in smaller chunks, seperately or kindly ask your " +"administrator." +msgstr "" + +#: helper.php:235 msgid "couldn't be determined" msgstr "nuk u vendos dot" @@ -170,77 +186,81 @@ msgstr "Komanda e gabuar ishte: \"%s\", përdoruesi: %s, kodi: %s" msgid "PostgreSQL username and/or password not valid" msgstr "Përdoruesi dhe/apo kodi i PostgreSQL i pavlefshëm" -#: setup.php:42 +#: setup.php:28 msgid "Set an admin username." msgstr "Cakto emrin e administratorit." -#: setup.php:45 +#: setup.php:31 msgid "Set an admin password." msgstr "Cakto kodin e administratorit." -#: setup.php:198 +#: setup.php:184 msgid "" "Your web server is not yet properly setup to allow files synchronization " "because the WebDAV interface seems to be broken." msgstr "Serveri web i juaji nuk është konfiguruar akoma për të lejuar sinkronizimin e skedarëve sepse ndërfaqja WebDAV mund të jetë e dëmtuar." -#: setup.php:199 +#: setup.php:185 #, php-format msgid "Please double check the installation guides." msgstr "Ju lutemi kontrolloni mirë shoqëruesin e instalimit." -#: template.php:113 +#: template/functions.php:80 msgid "seconds ago" msgstr "sekonda më parë" -#: template.php:114 +#: template/functions.php:81 msgid "1 minute ago" msgstr "1 minutë më parë" -#: template.php:115 +#: template/functions.php:82 #, php-format msgid "%d minutes ago" msgstr "%d minuta më parë" -#: template.php:116 +#: template/functions.php:83 msgid "1 hour ago" msgstr "1 orë më parë" -#: template.php:117 +#: template/functions.php:84 #, php-format msgid "%d hours ago" msgstr "%d orë më parë" -#: template.php:118 +#: template/functions.php:85 msgid "today" msgstr "sot" -#: template.php:119 +#: template/functions.php:86 msgid "yesterday" msgstr "dje" -#: template.php:120 +#: template/functions.php:87 #, php-format msgid "%d days ago" msgstr "%d ditë më parë" -#: template.php:121 +#: template/functions.php:88 msgid "last month" msgstr "muajin e shkuar" -#: template.php:122 +#: template/functions.php:89 #, php-format msgid "%d months ago" msgstr "%d muaj më parë" -#: template.php:123 +#: template/functions.php:90 msgid "last year" msgstr "vitin e shkuar" -#: template.php:124 +#: template/functions.php:91 msgid "years ago" msgstr "vite më parë" +#: template.php:296 +msgid "Caused by:" +msgstr "" + #: vcategories.php:188 vcategories.php:249 #, php-format msgid "Could not find category \"%s\"" diff --git a/l10n/sq/settings.po b/l10n/sq/settings.po index 68a9f1a0bb..daec3ad4f8 100644 --- a/l10n/sq/settings.po +++ b/l10n/sq/settings.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:55+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:55+0000\n" "Last-Translator: I Robot \n" "Language-Team: Albanian (http://www.transifex.com/projects/p/owncloud/language/sq/)\n" "MIME-Version: 1.0\n" @@ -273,62 +273,71 @@ msgstr "" msgid "Allow users to share items to the public with links" msgstr "" -#: templates/admin.php:152 +#: templates/admin.php:153 +msgid "Allow public uploads" +msgstr "" + +#: templates/admin.php:154 +msgid "" +"Allow users to enable others to upload into their publicly shared folders" +msgstr "" + +#: templates/admin.php:162 msgid "Allow resharing" msgstr "" -#: templates/admin.php:153 +#: templates/admin.php:163 msgid "Allow users to share items shared with them again" msgstr "" -#: templates/admin.php:160 +#: templates/admin.php:170 msgid "Allow users to share with anyone" msgstr "" -#: templates/admin.php:163 +#: templates/admin.php:173 msgid "Allow users to only share with users in their groups" msgstr "" -#: templates/admin.php:170 +#: templates/admin.php:180 msgid "Security" msgstr "" -#: templates/admin.php:183 +#: templates/admin.php:193 msgid "Enforce HTTPS" msgstr "" -#: templates/admin.php:184 +#: templates/admin.php:194 msgid "" "Enforces the clients to connect to ownCloud via an encrypted connection." msgstr "" -#: templates/admin.php:187 +#: templates/admin.php:197 msgid "" "Please connect to this ownCloud instance via HTTPS to enable or disable the " "SSL enforcement." msgstr "" -#: templates/admin.php:197 +#: templates/admin.php:207 msgid "Log" msgstr "" -#: templates/admin.php:198 +#: templates/admin.php:208 msgid "Log level" msgstr "" -#: templates/admin.php:229 +#: templates/admin.php:239 msgid "More" msgstr "" -#: templates/admin.php:230 +#: templates/admin.php:240 msgid "Less" msgstr "" -#: templates/admin.php:236 templates/personal.php:116 +#: templates/admin.php:246 templates/personal.php:116 msgid "Version" msgstr "" -#: templates/admin.php:240 templates/personal.php:119 +#: templates/admin.php:250 templates/personal.php:119 msgid "" "Developed by the ownCloud community, the access your Files via WebDAV" msgstr "" #: templates/users.php:21 diff --git a/l10n/sq/user_ldap.po b/l10n/sq/user_ldap.po index 63ae8ea0c1..f09bf694bd 100644 --- a/l10n/sq/user_ldap.po +++ b/l10n/sq/user_ldap.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: I Robot \n" "Language-Team: Albanian (http://www.transifex.com/projects/p/owncloud/language/sq/)\n" "MIME-Version: 1.0\n" diff --git a/l10n/sr/core.po b/l10n/sr/core.po index 6f4c2ff8f9..631902122a 100644 --- a/l10n/sr/core.po +++ b/l10n/sr/core.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:12+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:04+0000\n" "Last-Translator: I Robot \n" "Language-Team: Serbian (http://www.transifex.com/projects/p/owncloud/language/sr/)\n" "MIME-Version: 1.0\n" @@ -137,59 +137,59 @@ msgstr "Новембар" msgid "December" msgstr "Децембар" -#: js/js.js:289 +#: js/js.js:293 msgid "Settings" msgstr "Поставке" -#: js/js.js:721 +#: js/js.js:715 msgid "seconds ago" msgstr "пре неколико секунди" -#: js/js.js:722 +#: js/js.js:716 msgid "1 minute ago" msgstr "пре 1 минут" -#: js/js.js:723 +#: js/js.js:717 msgid "{minutes} minutes ago" msgstr "пре {minutes} минута" -#: js/js.js:724 +#: js/js.js:718 msgid "1 hour ago" msgstr "Пре једног сата" -#: js/js.js:725 +#: js/js.js:719 msgid "{hours} hours ago" msgstr "Пре {hours} сата (сати)" -#: js/js.js:726 +#: js/js.js:720 msgid "today" msgstr "данас" -#: js/js.js:727 +#: js/js.js:721 msgid "yesterday" msgstr "јуче" -#: js/js.js:728 +#: js/js.js:722 msgid "{days} days ago" msgstr "пре {days} дана" -#: js/js.js:729 +#: js/js.js:723 msgid "last month" msgstr "прошлог месеца" -#: js/js.js:730 +#: js/js.js:724 msgid "{months} months ago" msgstr "Пре {months} месеца (месеци)" -#: js/js.js:731 +#: js/js.js:725 msgid "months ago" msgstr "месеци раније" -#: js/js.js:732 +#: js/js.js:726 msgid "last year" msgstr "прошле године" -#: js/js.js:733 +#: js/js.js:727 msgid "years ago" msgstr "година раније" @@ -225,8 +225,8 @@ msgstr "Врста објекта није подешена." #: js/oc-vcategories.js:14 js/oc-vcategories.js:80 js/oc-vcategories.js:95 #: js/oc-vcategories.js:110 js/oc-vcategories.js:125 js/oc-vcategories.js:136 #: js/oc-vcategories.js:172 js/oc-vcategories.js:189 js/oc-vcategories.js:195 -#: js/oc-vcategories.js:199 js/share.js:136 js/share.js:143 js/share.js:618 -#: js/share.js:630 +#: js/oc-vcategories.js:199 js/share.js:136 js/share.js:143 js/share.js:625 +#: js/share.js:637 msgid "Error" msgstr "Грешка" @@ -246,7 +246,7 @@ msgstr "" msgid "Share" msgstr "Дели" -#: js/share.js:125 js/share.js:658 +#: js/share.js:125 js/share.js:665 msgid "Error while sharing" msgstr "Грешка у дељењу" @@ -266,114 +266,114 @@ msgstr "Дељено са вама и са групом {group}. Поделио msgid "Shared with you by {owner}" msgstr "Поделио са вама {owner}" -#: js/share.js:172 +#: js/share.js:177 msgid "Share with" msgstr "Подели са" -#: js/share.js:177 +#: js/share.js:182 msgid "Share with link" msgstr "Подели линк" -#: js/share.js:180 +#: js/share.js:185 msgid "Password protect" msgstr "Заштићено лозинком" -#: js/share.js:182 templates/installation.php:54 templates/login.php:26 +#: js/share.js:187 templates/installation.php:54 templates/login.php:26 msgid "Password" msgstr "Лозинка" -#: js/share.js:186 +#: js/share.js:192 msgid "Allow Public Upload" msgstr "" -#: js/share.js:189 +#: js/share.js:196 msgid "Email link to person" msgstr "" -#: js/share.js:190 +#: js/share.js:197 msgid "Send" msgstr "Пошаљи" -#: js/share.js:195 +#: js/share.js:202 msgid "Set expiration date" msgstr "Постави датум истека" -#: js/share.js:196 +#: js/share.js:203 msgid "Expiration date" msgstr "Датум истека" -#: js/share.js:228 +#: js/share.js:235 msgid "Share via email:" msgstr "Подели поштом:" -#: js/share.js:230 +#: js/share.js:237 msgid "No people found" msgstr "Особе нису пронађене." -#: js/share.js:268 +#: js/share.js:275 msgid "Resharing is not allowed" msgstr "Поновно дељење није дозвољено" -#: js/share.js:304 +#: js/share.js:311 msgid "Shared in {item} with {user}" msgstr "Подељено унутар {item} са {user}" -#: js/share.js:325 +#: js/share.js:332 msgid "Unshare" msgstr "Укини дељење" -#: js/share.js:337 +#: js/share.js:344 msgid "can edit" msgstr "може да мења" -#: js/share.js:339 +#: js/share.js:346 msgid "access control" msgstr "права приступа" -#: js/share.js:342 +#: js/share.js:349 msgid "create" msgstr "направи" -#: js/share.js:345 +#: js/share.js:352 msgid "update" msgstr "ажурирај" -#: js/share.js:348 +#: js/share.js:355 msgid "delete" msgstr "обриши" -#: js/share.js:351 +#: js/share.js:358 msgid "share" msgstr "подели" -#: js/share.js:385 js/share.js:605 +#: js/share.js:392 js/share.js:612 msgid "Password protected" msgstr "Заштићено лозинком" -#: js/share.js:618 +#: js/share.js:625 msgid "Error unsetting expiration date" msgstr "Грешка код поништавања датума истека" -#: js/share.js:630 +#: js/share.js:637 msgid "Error setting expiration date" msgstr "Грешка код постављања датума истека" -#: js/share.js:645 +#: js/share.js:652 msgid "Sending ..." msgstr "Шаљем..." -#: js/share.js:656 +#: js/share.js:663 msgid "Email sent" msgstr "Порука је послата" -#: js/update.js:14 +#: js/update.js:17 msgid "" "The update was unsuccessful. Please report this issue to the ownCloud " "community." msgstr "" -#: js/update.js:18 +#: js/update.js:21 msgid "The update was successful. Redirecting you to ownCloud now." msgstr "" @@ -465,7 +465,7 @@ msgstr "Забрањен приступ" msgid "Cloud not found" msgstr "Облак није нађен" -#: templates/altmail.php:2 +#: templates/altmail.php:4 #, php-format msgid "" "Hey there,\n" @@ -476,10 +476,6 @@ msgid "" "Cheers!" msgstr "" -#: templates/altmail.php:7 templates/mail.php:24 -msgid "web services under your control" -msgstr "веб сервиси под контролом" - #: templates/edit_categories_dialog.php:4 msgid "Edit categories" msgstr "Измени категорије" @@ -611,7 +607,7 @@ msgstr "Пријава" msgid "Alternative Logins" msgstr "" -#: templates/mail.php:15 +#: templates/mail.php:16 #, php-format msgid "" "Hey there,

    just letting you know that %s shared »%s« with you.
    \n" "Language-Team: Serbian (http://www.transifex.com/projects/p/owncloud/language/sr/)\n" "MIME-Version: 1.0\n" @@ -27,54 +27,54 @@ msgstr "Не могу да преместим %s – датотека с ови msgid "Could not move %s" msgstr "Не могу да преместим %s" -#: ajax/upload.php:16 ajax/upload.php:39 +#: ajax/upload.php:16 ajax/upload.php:45 msgid "Unable to set upload directory." msgstr "" -#: ajax/upload.php:23 +#: ajax/upload.php:22 msgid "Invalid Token" msgstr "" -#: ajax/upload.php:55 +#: ajax/upload.php:59 msgid "No file was uploaded. Unknown error" msgstr "Ниједна датотека није отпремљена услед непознате грешке" -#: ajax/upload.php:62 +#: ajax/upload.php:66 msgid "There is no error, the file uploaded with success" msgstr "Није дошло до грешке. Датотека је успешно отпремљена." -#: ajax/upload.php:63 +#: ajax/upload.php:67 msgid "" "The uploaded file exceeds the upload_max_filesize directive in php.ini: " msgstr "Отпремљена датотека прелази смерницу upload_max_filesize у датотеци php.ini:" -#: ajax/upload.php:65 +#: ajax/upload.php:69 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:66 +#: ajax/upload.php:70 msgid "The uploaded file was only partially uploaded" msgstr "Датотека је делимично отпремљена" -#: ajax/upload.php:67 +#: ajax/upload.php:71 msgid "No file was uploaded" msgstr "Датотека није отпремљена" -#: ajax/upload.php:68 +#: ajax/upload.php:72 msgid "Missing a temporary folder" msgstr "Недостаје привремена фасцикла" -#: ajax/upload.php:69 +#: ajax/upload.php:73 msgid "Failed to write to disk" msgstr "Не могу да пишем на диск" -#: ajax/upload.php:87 +#: ajax/upload.php:91 msgid "Not enough storage available" msgstr "Нема довољно простора" -#: ajax/upload.php:119 +#: ajax/upload.php:123 msgid "Invalid directory." msgstr "неисправна фасцикла." @@ -128,43 +128,43 @@ msgstr "Обриши" msgid "Rename" msgstr "Преименуј" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:464 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:465 msgid "Pending" msgstr "На чекању" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "{new_name} already exists" msgstr "{new_name} већ постоји" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "replace" msgstr "замени" -#: js/filelist.js:302 +#: js/filelist.js:303 msgid "suggest name" msgstr "предложи назив" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "cancel" msgstr "откажи" -#: js/filelist.js:349 +#: js/filelist.js:350 msgid "replaced {new_name} with {old_name}" msgstr "замењено {new_name} са {old_name}" -#: js/filelist.js:349 +#: js/filelist.js:350 msgid "undo" msgstr "опозови" -#: js/filelist.js:374 +#: js/filelist.js:375 msgid "perform delete operation" msgstr "обриши" -#: js/filelist.js:456 +#: js/filelist.js:457 msgid "1 file uploading" msgstr "Отпремам 1 датотеку" -#: js/filelist.js:459 js/filelist.js:517 +#: js/filelist.js:460 js/filelist.js:518 msgid "files uploading" msgstr "датотеке се отпремају" @@ -212,19 +212,19 @@ msgstr "Величина" msgid "Modified" msgstr "Измењено" -#: js/files.js:765 +#: js/files.js:763 msgid "1 folder" msgstr "1 фасцикла" -#: js/files.js:767 +#: js/files.js:765 msgid "{count} folders" msgstr "{count} фасцикле/и" -#: js/files.js:775 +#: js/files.js:773 msgid "1 file" msgstr "1 датотека" -#: js/files.js:777 +#: js/files.js:775 msgid "{count} files" msgstr "{count} датотеке/а" @@ -327,19 +327,19 @@ msgstr "Скенирам датотеке…" msgid "Current scanning" msgstr "Тренутно скенирање" -#: templates/part.list.php:78 +#: templates/part.list.php:74 msgid "directory" msgstr "" -#: templates/part.list.php:80 +#: templates/part.list.php:76 msgid "directories" msgstr "" -#: templates/part.list.php:89 +#: templates/part.list.php:85 msgid "file" msgstr "" -#: templates/part.list.php:91 +#: templates/part.list.php:87 msgid "files" msgstr "" diff --git a/l10n/sr/files_external.po b/l10n/sr/files_external.po index d5b9824005..3ae0a9272f 100644 --- a/l10n/sr/files_external.po +++ b/l10n/sr/files_external.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: I Robot \n" "Language-Team: Serbian (http://www.transifex.com/projects/p/owncloud/language/sr/)\n" "MIME-Version: 1.0\n" @@ -37,20 +37,20 @@ msgstr "" msgid "Error configuring Google Drive storage" msgstr "" -#: lib/config.php:431 +#: lib/config.php:447 msgid "" "Warning: \"smbclient\" is not installed. Mounting of CIFS/SMB shares " "is not possible. Please ask your system administrator to install it." msgstr "" -#: lib/config.php:434 +#: lib/config.php:450 msgid "" "Warning: The FTP support in PHP is not enabled or installed. Mounting" " of FTP shares is not possible. Please ask your system administrator to " "install it." msgstr "" -#: lib/config.php:437 +#: lib/config.php:453 msgid "" "Warning: The Curl support in PHP is not enabled or installed. " "Mounting of ownCloud / WebDAV or GoogleDrive is not possible. Please ask " diff --git a/l10n/sr/files_sharing.po b/l10n/sr/files_sharing.po index 187091dc0f..8ecabd78e6 100644 --- a/l10n/sr/files_sharing.po +++ b/l10n/sr/files_sharing.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:13+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: I Robot \n" "Language-Team: Serbian (http://www.transifex.com/projects/p/owncloud/language/sr/)\n" "MIME-Version: 1.0\n" @@ -39,18 +39,18 @@ msgstr "" msgid "%s shared the file %s with you" msgstr "" -#: templates/public.php:28 templates/public.php:86 +#: templates/public.php:28 templates/public.php:90 msgid "Download" msgstr "Преузми" -#: templates/public.php:44 +#: templates/public.php:45 templates/public.php:48 msgid "Upload" msgstr "Отпреми" -#: templates/public.php:54 +#: templates/public.php:58 msgid "Cancel upload" msgstr "Прекини отпремање" -#: templates/public.php:83 +#: templates/public.php:87 msgid "No preview available for" msgstr "" diff --git a/l10n/sr/files_trashbin.po b/l10n/sr/files_trashbin.po index 6f72e91615..b46bc3e6be 100644 --- a/l10n/sr/files_trashbin.po +++ b/l10n/sr/files_trashbin.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: I Robot \n" "Language-Team: Serbian (http://www.transifex.com/projects/p/owncloud/language/sr/)\n" "MIME-Version: 1.0\n" diff --git a/l10n/sr/lib.po b/l10n/sr/lib.po index fc638ea0a8..bd9dcab7ec 100644 --- a/l10n/sr/lib.po +++ b/l10n/sr/lib.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:13+0000\n" +"POT-Creation-Date: 2013-07-24 01:55-0400\n" +"PO-Revision-Date: 2013-07-24 05:55+0000\n" "Last-Translator: I Robot \n" "Language-Team: Serbian (http://www.transifex.com/projects/p/owncloud/language/sr/)\n" "MIME-Version: 1.0\n" @@ -41,27 +41,43 @@ msgstr "Апликације" msgid "Admin" msgstr "Администратор" -#: defaults.php:33 -msgid "web services under your control" +#: app.php:844 +#, php-format +msgid "Failed to upgrade \"%s\"." msgstr "" -#: files.php:210 +#: defaults.php:33 +msgid "web services under your control" +msgstr "веб сервиси под контролом" + +#: files.php:66 files.php:98 +#, php-format +msgid "cannot open \"%s\"" +msgstr "" + +#: files.php:226 msgid "ZIP download is turned off." msgstr "Преузимање ZIP-а је искључено." -#: files.php:211 +#: files.php:227 msgid "Files need to be downloaded one by one." msgstr "Датотеке морате преузимати једну по једну." -#: files.php:212 files.php:245 +#: files.php:228 files.php:256 msgid "Back to Files" msgstr "Назад на датотеке" -#: files.php:242 +#: files.php:253 msgid "Selected files too large to generate zip file." msgstr "Изабране датотеке су превелике да бисте направили ZIP датотеку." -#: helper.php:236 +#: files.php:254 +msgid "" +"Download the files in smaller chunks, seperately or kindly ask your " +"administrator." +msgstr "" + +#: helper.php:235 msgid "couldn't be determined" msgstr "није одређено" @@ -170,77 +186,81 @@ msgstr "" msgid "PostgreSQL username and/or password not valid" msgstr "" -#: setup.php:42 +#: setup.php:28 msgid "Set an admin username." msgstr "" -#: setup.php:45 +#: setup.php:31 msgid "Set an admin password." msgstr "" -#: setup.php:198 +#: setup.php:184 msgid "" "Your web server is not yet properly setup to allow files synchronization " "because the WebDAV interface seems to be broken." msgstr "Ваш веб сервер тренутно не подржава синхронизацију датотека јер се чини да је WebDAV сучеље неисправно." -#: setup.php:199 +#: setup.php:185 #, php-format msgid "Please double check the installation guides." msgstr "Погледајте водиче за инсталацију." -#: template.php:113 +#: template/functions.php:80 msgid "seconds ago" msgstr "пре неколико секунди" -#: template.php:114 +#: template/functions.php:81 msgid "1 minute ago" msgstr "пре 1 минут" -#: template.php:115 +#: template/functions.php:82 #, php-format msgid "%d minutes ago" msgstr "пре %d минута" -#: template.php:116 +#: template/functions.php:83 msgid "1 hour ago" msgstr "Пре једног сата" -#: template.php:117 +#: template/functions.php:84 #, php-format msgid "%d hours ago" msgstr "пре %d сата/и" -#: template.php:118 +#: template/functions.php:85 msgid "today" msgstr "данас" -#: template.php:119 +#: template/functions.php:86 msgid "yesterday" msgstr "јуче" -#: template.php:120 +#: template/functions.php:87 #, php-format msgid "%d days ago" msgstr "пре %d дана" -#: template.php:121 +#: template/functions.php:88 msgid "last month" msgstr "прошлог месеца" -#: template.php:122 +#: template/functions.php:89 #, php-format msgid "%d months ago" msgstr "пре %d месеца/и" -#: template.php:123 +#: template/functions.php:90 msgid "last year" msgstr "прошле године" -#: template.php:124 +#: template/functions.php:91 msgid "years ago" msgstr "година раније" +#: template.php:296 +msgid "Caused by:" +msgstr "" + #: vcategories.php:188 vcategories.php:249 #, php-format msgid "Could not find category \"%s\"" diff --git a/l10n/sr/settings.po b/l10n/sr/settings.po index c769835739..788737244e 100644 --- a/l10n/sr/settings.po +++ b/l10n/sr/settings.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:55+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:55+0000\n" "Last-Translator: I Robot \n" "Language-Team: Serbian (http://www.transifex.com/projects/p/owncloud/language/sr/)\n" "MIME-Version: 1.0\n" @@ -273,62 +273,71 @@ msgstr "Дозволи везе" msgid "Allow users to share items to the public with links" msgstr "Дозволи корисницима да деле ставке с другима путем веза" -#: templates/admin.php:152 +#: templates/admin.php:153 +msgid "Allow public uploads" +msgstr "" + +#: templates/admin.php:154 +msgid "" +"Allow users to enable others to upload into their publicly shared folders" +msgstr "" + +#: templates/admin.php:162 msgid "Allow resharing" msgstr "Дозволи поновно дељење" -#: templates/admin.php:153 +#: templates/admin.php:163 msgid "Allow users to share items shared with them again" msgstr "Дозволи корисницима да поновно деле ставке с другима" -#: templates/admin.php:160 +#: templates/admin.php:170 msgid "Allow users to share with anyone" msgstr "Дозволи корисницима да деле са било ким" -#: templates/admin.php:163 +#: templates/admin.php:173 msgid "Allow users to only share with users in their groups" msgstr "Дозволи корисницима да деле само са корисницима у њиховим групама" -#: templates/admin.php:170 +#: templates/admin.php:180 msgid "Security" msgstr "Безбедност" -#: templates/admin.php:183 +#: templates/admin.php:193 msgid "Enforce HTTPS" msgstr "Наметни HTTPS" -#: templates/admin.php:184 +#: templates/admin.php:194 msgid "" "Enforces the clients to connect to ownCloud via an encrypted connection." msgstr "Намеће клијентима да се повежу са ownCloud-ом путем шифроване везе." -#: templates/admin.php:187 +#: templates/admin.php:197 msgid "" "Please connect to this ownCloud instance via HTTPS to enable or disable the " "SSL enforcement." msgstr "" -#: templates/admin.php:197 +#: templates/admin.php:207 msgid "Log" msgstr "Бележење" -#: templates/admin.php:198 +#: templates/admin.php:208 msgid "Log level" msgstr "Ниво бележења" -#: templates/admin.php:229 +#: templates/admin.php:239 msgid "More" msgstr "Више" -#: templates/admin.php:230 +#: templates/admin.php:240 msgid "Less" msgstr "Мање" -#: templates/admin.php:236 templates/personal.php:116 +#: templates/admin.php:246 templates/personal.php:116 msgid "Version" msgstr "Верзија" -#: templates/admin.php:240 templates/personal.php:119 +#: templates/admin.php:250 templates/personal.php:119 msgid "" "Developed by the ownCloud community, the access your Files via WebDAV" +msgstr "" #: templates/users.php:21 msgid "Login Name" diff --git a/l10n/sr/user_ldap.po b/l10n/sr/user_ldap.po index cc90019174..3c5527faa8 100644 --- a/l10n/sr/user_ldap.po +++ b/l10n/sr/user_ldap.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: I Robot \n" "Language-Team: Serbian (http://www.transifex.com/projects/p/owncloud/language/sr/)\n" "MIME-Version: 1.0\n" diff --git a/l10n/sr@latin/core.po b/l10n/sr@latin/core.po index 3b6924c9d3..0614584ae7 100644 --- a/l10n/sr@latin/core.po +++ b/l10n/sr@latin/core.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:12+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:04+0000\n" "Last-Translator: I Robot \n" "Language-Team: Serbian (Latin) (http://www.transifex.com/projects/p/owncloud/language/sr@latin/)\n" "MIME-Version: 1.0\n" @@ -137,59 +137,59 @@ msgstr "Novembar" msgid "December" msgstr "Decembar" -#: js/js.js:289 +#: js/js.js:293 msgid "Settings" msgstr "Podešavanja" -#: js/js.js:721 +#: js/js.js:715 msgid "seconds ago" msgstr "" -#: js/js.js:722 +#: js/js.js:716 msgid "1 minute ago" msgstr "" -#: js/js.js:723 +#: js/js.js:717 msgid "{minutes} minutes ago" msgstr "" -#: js/js.js:724 +#: js/js.js:718 msgid "1 hour ago" msgstr "" -#: js/js.js:725 +#: js/js.js:719 msgid "{hours} hours ago" msgstr "" -#: js/js.js:726 +#: js/js.js:720 msgid "today" msgstr "" -#: js/js.js:727 +#: js/js.js:721 msgid "yesterday" msgstr "" -#: js/js.js:728 +#: js/js.js:722 msgid "{days} days ago" msgstr "" -#: js/js.js:729 +#: js/js.js:723 msgid "last month" msgstr "" -#: js/js.js:730 +#: js/js.js:724 msgid "{months} months ago" msgstr "" -#: js/js.js:731 +#: js/js.js:725 msgid "months ago" msgstr "" -#: js/js.js:732 +#: js/js.js:726 msgid "last year" msgstr "" -#: js/js.js:733 +#: js/js.js:727 msgid "years ago" msgstr "" @@ -225,8 +225,8 @@ msgstr "" #: js/oc-vcategories.js:14 js/oc-vcategories.js:80 js/oc-vcategories.js:95 #: js/oc-vcategories.js:110 js/oc-vcategories.js:125 js/oc-vcategories.js:136 #: js/oc-vcategories.js:172 js/oc-vcategories.js:189 js/oc-vcategories.js:195 -#: js/oc-vcategories.js:199 js/share.js:136 js/share.js:143 js/share.js:618 -#: js/share.js:630 +#: js/oc-vcategories.js:199 js/share.js:136 js/share.js:143 js/share.js:625 +#: js/share.js:637 msgid "Error" msgstr "" @@ -246,7 +246,7 @@ msgstr "" msgid "Share" msgstr "" -#: js/share.js:125 js/share.js:658 +#: js/share.js:125 js/share.js:665 msgid "Error while sharing" msgstr "" @@ -266,114 +266,114 @@ msgstr "" msgid "Shared with you by {owner}" msgstr "" -#: js/share.js:172 +#: js/share.js:177 msgid "Share with" msgstr "" -#: js/share.js:177 +#: js/share.js:182 msgid "Share with link" msgstr "" -#: js/share.js:180 +#: js/share.js:185 msgid "Password protect" msgstr "" -#: js/share.js:182 templates/installation.php:54 templates/login.php:26 +#: js/share.js:187 templates/installation.php:54 templates/login.php:26 msgid "Password" msgstr "Lozinka" -#: js/share.js:186 +#: js/share.js:192 msgid "Allow Public Upload" msgstr "" -#: js/share.js:189 +#: js/share.js:196 msgid "Email link to person" msgstr "" -#: js/share.js:190 +#: js/share.js:197 msgid "Send" msgstr "" -#: js/share.js:195 +#: js/share.js:202 msgid "Set expiration date" msgstr "" -#: js/share.js:196 +#: js/share.js:203 msgid "Expiration date" msgstr "" -#: js/share.js:228 +#: js/share.js:235 msgid "Share via email:" msgstr "" -#: js/share.js:230 +#: js/share.js:237 msgid "No people found" msgstr "" -#: js/share.js:268 +#: js/share.js:275 msgid "Resharing is not allowed" msgstr "" -#: js/share.js:304 +#: js/share.js:311 msgid "Shared in {item} with {user}" msgstr "" -#: js/share.js:325 +#: js/share.js:332 msgid "Unshare" msgstr "" -#: js/share.js:337 +#: js/share.js:344 msgid "can edit" msgstr "" -#: js/share.js:339 +#: js/share.js:346 msgid "access control" msgstr "" -#: js/share.js:342 +#: js/share.js:349 msgid "create" msgstr "" -#: js/share.js:345 +#: js/share.js:352 msgid "update" msgstr "" -#: js/share.js:348 +#: js/share.js:355 msgid "delete" msgstr "" -#: js/share.js:351 +#: js/share.js:358 msgid "share" msgstr "" -#: js/share.js:385 js/share.js:605 +#: js/share.js:392 js/share.js:612 msgid "Password protected" msgstr "" -#: js/share.js:618 +#: js/share.js:625 msgid "Error unsetting expiration date" msgstr "" -#: js/share.js:630 +#: js/share.js:637 msgid "Error setting expiration date" msgstr "" -#: js/share.js:645 +#: js/share.js:652 msgid "Sending ..." msgstr "" -#: js/share.js:656 +#: js/share.js:663 msgid "Email sent" msgstr "" -#: js/update.js:14 +#: js/update.js:17 msgid "" "The update was unsuccessful. Please report this issue to the ownCloud " "community." msgstr "" -#: js/update.js:18 +#: js/update.js:21 msgid "The update was successful. Redirecting you to ownCloud now." msgstr "" @@ -465,7 +465,7 @@ msgstr "" msgid "Cloud not found" msgstr "Oblak nije nađen" -#: templates/altmail.php:2 +#: templates/altmail.php:4 #, php-format msgid "" "Hey there,\n" @@ -476,10 +476,6 @@ msgid "" "Cheers!" msgstr "" -#: templates/altmail.php:7 templates/mail.php:24 -msgid "web services under your control" -msgstr "" - #: templates/edit_categories_dialog.php:4 msgid "Edit categories" msgstr "" @@ -611,7 +607,7 @@ msgstr "" msgid "Alternative Logins" msgstr "" -#: templates/mail.php:15 +#: templates/mail.php:16 #, php-format msgid "" "Hey there,

    just letting you know that %s shared »%s« with you.
    \n" "Language-Team: Serbian (Latin) (http://www.transifex.com/projects/p/owncloud/language/sr@latin/)\n" "MIME-Version: 1.0\n" @@ -27,54 +27,54 @@ msgstr "" msgid "Could not move %s" msgstr "" -#: ajax/upload.php:16 ajax/upload.php:39 +#: ajax/upload.php:16 ajax/upload.php:45 msgid "Unable to set upload directory." msgstr "" -#: ajax/upload.php:23 +#: ajax/upload.php:22 msgid "Invalid Token" msgstr "" -#: ajax/upload.php:55 +#: ajax/upload.php:59 msgid "No file was uploaded. Unknown error" msgstr "" -#: ajax/upload.php:62 +#: ajax/upload.php:66 msgid "There is no error, the file uploaded with success" msgstr "Nema greške, fajl je uspešno poslat" -#: ajax/upload.php:63 +#: ajax/upload.php:67 msgid "" "The uploaded file exceeds the upload_max_filesize directive in php.ini: " msgstr "" -#: ajax/upload.php:65 +#: ajax/upload.php:69 msgid "" "The uploaded file exceeds the MAX_FILE_SIZE directive that was specified in " "the HTML form" msgstr "Poslati fajl prevazilazi direktivu MAX_FILE_SIZE koja je navedena u HTML formi" -#: ajax/upload.php:66 +#: ajax/upload.php:70 msgid "The uploaded file was only partially uploaded" msgstr "Poslati fajl je samo delimično otpremljen!" -#: ajax/upload.php:67 +#: ajax/upload.php:71 msgid "No file was uploaded" msgstr "Nijedan fajl nije poslat" -#: ajax/upload.php:68 +#: ajax/upload.php:72 msgid "Missing a temporary folder" msgstr "Nedostaje privremena fascikla" -#: ajax/upload.php:69 +#: ajax/upload.php:73 msgid "Failed to write to disk" msgstr "" -#: ajax/upload.php:87 +#: ajax/upload.php:91 msgid "Not enough storage available" msgstr "" -#: ajax/upload.php:119 +#: ajax/upload.php:123 msgid "Invalid directory." msgstr "" @@ -128,43 +128,43 @@ msgstr "Obriši" msgid "Rename" msgstr "" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:464 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:465 msgid "Pending" msgstr "" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "{new_name} already exists" msgstr "" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "replace" msgstr "" -#: js/filelist.js:302 +#: js/filelist.js:303 msgid "suggest name" msgstr "" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "cancel" msgstr "" -#: js/filelist.js:349 +#: js/filelist.js:350 msgid "replaced {new_name} with {old_name}" msgstr "" -#: js/filelist.js:349 +#: js/filelist.js:350 msgid "undo" msgstr "" -#: js/filelist.js:374 +#: js/filelist.js:375 msgid "perform delete operation" msgstr "" -#: js/filelist.js:456 +#: js/filelist.js:457 msgid "1 file uploading" msgstr "" -#: js/filelist.js:459 js/filelist.js:517 +#: js/filelist.js:460 js/filelist.js:518 msgid "files uploading" msgstr "" @@ -212,19 +212,19 @@ msgstr "Veličina" msgid "Modified" msgstr "Zadnja izmena" -#: js/files.js:765 +#: js/files.js:763 msgid "1 folder" msgstr "" -#: js/files.js:767 +#: js/files.js:765 msgid "{count} folders" msgstr "" -#: js/files.js:775 +#: js/files.js:773 msgid "1 file" msgstr "" -#: js/files.js:777 +#: js/files.js:775 msgid "{count} files" msgstr "" @@ -327,19 +327,19 @@ msgstr "" msgid "Current scanning" msgstr "" -#: templates/part.list.php:78 +#: templates/part.list.php:74 msgid "directory" msgstr "" -#: templates/part.list.php:80 +#: templates/part.list.php:76 msgid "directories" msgstr "" -#: templates/part.list.php:89 +#: templates/part.list.php:85 msgid "file" msgstr "" -#: templates/part.list.php:91 +#: templates/part.list.php:87 msgid "files" msgstr "" diff --git a/l10n/sr@latin/files_external.po b/l10n/sr@latin/files_external.po index d51263ad3d..cf5df4bfa8 100644 --- a/l10n/sr@latin/files_external.po +++ b/l10n/sr@latin/files_external.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: I Robot \n" "Language-Team: Serbian (Latin) (http://www.transifex.com/projects/p/owncloud/language/sr@latin/)\n" "MIME-Version: 1.0\n" @@ -37,20 +37,20 @@ msgstr "" msgid "Error configuring Google Drive storage" msgstr "" -#: lib/config.php:431 +#: lib/config.php:447 msgid "" "Warning: \"smbclient\" is not installed. Mounting of CIFS/SMB shares " "is not possible. Please ask your system administrator to install it." msgstr "" -#: lib/config.php:434 +#: lib/config.php:450 msgid "" "Warning: The FTP support in PHP is not enabled or installed. Mounting" " of FTP shares is not possible. Please ask your system administrator to " "install it." msgstr "" -#: lib/config.php:437 +#: lib/config.php:453 msgid "" "Warning: The Curl support in PHP is not enabled or installed. " "Mounting of ownCloud / WebDAV or GoogleDrive is not possible. Please ask " diff --git a/l10n/sr@latin/files_sharing.po b/l10n/sr@latin/files_sharing.po index b194043d3d..e0cc5d3671 100644 --- a/l10n/sr@latin/files_sharing.po +++ b/l10n/sr@latin/files_sharing.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:13+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: I Robot \n" "Language-Team: Serbian (Latin) (http://www.transifex.com/projects/p/owncloud/language/sr@latin/)\n" "MIME-Version: 1.0\n" @@ -39,18 +39,18 @@ msgstr "" msgid "%s shared the file %s with you" msgstr "" -#: templates/public.php:28 templates/public.php:86 +#: templates/public.php:28 templates/public.php:90 msgid "Download" msgstr "Preuzmi" -#: templates/public.php:44 +#: templates/public.php:45 templates/public.php:48 msgid "Upload" msgstr "Pošalji" -#: templates/public.php:54 +#: templates/public.php:58 msgid "Cancel upload" msgstr "" -#: templates/public.php:83 +#: templates/public.php:87 msgid "No preview available for" msgstr "" diff --git a/l10n/sr@latin/files_trashbin.po b/l10n/sr@latin/files_trashbin.po index 19caa509c7..14f576e80e 100644 --- a/l10n/sr@latin/files_trashbin.po +++ b/l10n/sr@latin/files_trashbin.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: I Robot \n" "Language-Team: Serbian (Latin) (http://www.transifex.com/projects/p/owncloud/language/sr@latin/)\n" "MIME-Version: 1.0\n" diff --git a/l10n/sr@latin/lib.po b/l10n/sr@latin/lib.po index 8431553968..f2a53ab59e 100644 --- a/l10n/sr@latin/lib.po +++ b/l10n/sr@latin/lib.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:13+0000\n" +"POT-Creation-Date: 2013-07-24 01:55-0400\n" +"PO-Revision-Date: 2013-07-24 05:55+0000\n" "Last-Translator: I Robot \n" "Language-Team: Serbian (Latin) (http://www.transifex.com/projects/p/owncloud/language/sr@latin/)\n" "MIME-Version: 1.0\n" @@ -41,27 +41,43 @@ msgstr "Programi" msgid "Admin" msgstr "Adninistracija" +#: app.php:844 +#, php-format +msgid "Failed to upgrade \"%s\"." +msgstr "" + #: defaults.php:33 msgid "web services under your control" msgstr "" -#: files.php:210 +#: files.php:66 files.php:98 +#, php-format +msgid "cannot open \"%s\"" +msgstr "" + +#: files.php:226 msgid "ZIP download is turned off." msgstr "" -#: files.php:211 +#: files.php:227 msgid "Files need to be downloaded one by one." msgstr "" -#: files.php:212 files.php:245 +#: files.php:228 files.php:256 msgid "Back to Files" msgstr "" -#: files.php:242 +#: files.php:253 msgid "Selected files too large to generate zip file." msgstr "" -#: helper.php:236 +#: files.php:254 +msgid "" +"Download the files in smaller chunks, seperately or kindly ask your " +"administrator." +msgstr "" + +#: helper.php:235 msgid "couldn't be determined" msgstr "" @@ -170,77 +186,81 @@ msgstr "" msgid "PostgreSQL username and/or password not valid" msgstr "" -#: setup.php:42 +#: setup.php:28 msgid "Set an admin username." msgstr "" -#: setup.php:45 +#: setup.php:31 msgid "Set an admin password." msgstr "" -#: setup.php:198 +#: setup.php:184 msgid "" "Your web server is not yet properly setup to allow files synchronization " "because the WebDAV interface seems to be broken." msgstr "" -#: setup.php:199 +#: setup.php:185 #, php-format msgid "Please double check the installation guides." msgstr "" -#: template.php:113 +#: template/functions.php:80 msgid "seconds ago" msgstr "" -#: template.php:114 +#: template/functions.php:81 msgid "1 minute ago" msgstr "" -#: template.php:115 +#: template/functions.php:82 #, php-format msgid "%d minutes ago" msgstr "" -#: template.php:116 +#: template/functions.php:83 msgid "1 hour ago" msgstr "" -#: template.php:117 +#: template/functions.php:84 #, php-format msgid "%d hours ago" msgstr "" -#: template.php:118 +#: template/functions.php:85 msgid "today" msgstr "" -#: template.php:119 +#: template/functions.php:86 msgid "yesterday" msgstr "" -#: template.php:120 +#: template/functions.php:87 #, php-format msgid "%d days ago" msgstr "" -#: template.php:121 +#: template/functions.php:88 msgid "last month" msgstr "" -#: template.php:122 +#: template/functions.php:89 #, php-format msgid "%d months ago" msgstr "" -#: template.php:123 +#: template/functions.php:90 msgid "last year" msgstr "" -#: template.php:124 +#: template/functions.php:91 msgid "years ago" msgstr "" +#: template.php:296 +msgid "Caused by:" +msgstr "" + #: vcategories.php:188 vcategories.php:249 #, php-format msgid "Could not find category \"%s\"" diff --git a/l10n/sr@latin/settings.po b/l10n/sr@latin/settings.po index 0d7e05d74d..12d38f8334 100644 --- a/l10n/sr@latin/settings.po +++ b/l10n/sr@latin/settings.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:55+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:55+0000\n" "Last-Translator: I Robot \n" "Language-Team: Serbian (Latin) (http://www.transifex.com/projects/p/owncloud/language/sr@latin/)\n" "MIME-Version: 1.0\n" @@ -273,62 +273,71 @@ msgstr "" msgid "Allow users to share items to the public with links" msgstr "" -#: templates/admin.php:152 +#: templates/admin.php:153 +msgid "Allow public uploads" +msgstr "" + +#: templates/admin.php:154 +msgid "" +"Allow users to enable others to upload into their publicly shared folders" +msgstr "" + +#: templates/admin.php:162 msgid "Allow resharing" msgstr "" -#: templates/admin.php:153 +#: templates/admin.php:163 msgid "Allow users to share items shared with them again" msgstr "" -#: templates/admin.php:160 +#: templates/admin.php:170 msgid "Allow users to share with anyone" msgstr "" -#: templates/admin.php:163 +#: templates/admin.php:173 msgid "Allow users to only share with users in their groups" msgstr "" -#: templates/admin.php:170 +#: templates/admin.php:180 msgid "Security" msgstr "" -#: templates/admin.php:183 +#: templates/admin.php:193 msgid "Enforce HTTPS" msgstr "" -#: templates/admin.php:184 +#: templates/admin.php:194 msgid "" "Enforces the clients to connect to ownCloud via an encrypted connection." msgstr "" -#: templates/admin.php:187 +#: templates/admin.php:197 msgid "" "Please connect to this ownCloud instance via HTTPS to enable or disable the " "SSL enforcement." msgstr "" -#: templates/admin.php:197 +#: templates/admin.php:207 msgid "Log" msgstr "" -#: templates/admin.php:198 +#: templates/admin.php:208 msgid "Log level" msgstr "" -#: templates/admin.php:229 +#: templates/admin.php:239 msgid "More" msgstr "" -#: templates/admin.php:230 +#: templates/admin.php:240 msgid "Less" msgstr "" -#: templates/admin.php:236 templates/personal.php:116 +#: templates/admin.php:246 templates/personal.php:116 msgid "Version" msgstr "" -#: templates/admin.php:240 templates/personal.php:119 +#: templates/admin.php:250 templates/personal.php:119 msgid "" "Developed by the ownCloud community, the access your Files via WebDAV" msgstr "" #: templates/users.php:21 diff --git a/l10n/sv/core.po b/l10n/sv/core.po index e0ec098b2b..e709a281d5 100644 --- a/l10n/sv/core.po +++ b/l10n/sv/core.po @@ -11,9 +11,9 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:12+0000\n" -"Last-Translator: Magnus Höglund \n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:04+0000\n" +"Last-Translator: medialabs\n" "Language-Team: Swedish (http://www.transifex.com/projects/p/owncloud/language/sv/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -141,59 +141,59 @@ msgstr "November" msgid "December" msgstr "December" -#: js/js.js:289 +#: js/js.js:293 msgid "Settings" msgstr "Inställningar" -#: js/js.js:721 +#: js/js.js:715 msgid "seconds ago" msgstr "sekunder sedan" -#: js/js.js:722 +#: js/js.js:716 msgid "1 minute ago" msgstr "1 minut sedan" -#: js/js.js:723 +#: js/js.js:717 msgid "{minutes} minutes ago" msgstr "{minutes} minuter sedan" -#: js/js.js:724 +#: js/js.js:718 msgid "1 hour ago" msgstr "1 timme sedan" -#: js/js.js:725 +#: js/js.js:719 msgid "{hours} hours ago" msgstr "{hours} timmar sedan" -#: js/js.js:726 +#: js/js.js:720 msgid "today" msgstr "i dag" -#: js/js.js:727 +#: js/js.js:721 msgid "yesterday" msgstr "i går" -#: js/js.js:728 +#: js/js.js:722 msgid "{days} days ago" msgstr "{days} dagar sedan" -#: js/js.js:729 +#: js/js.js:723 msgid "last month" msgstr "förra månaden" -#: js/js.js:730 +#: js/js.js:724 msgid "{months} months ago" msgstr "{months} månader sedan" -#: js/js.js:731 +#: js/js.js:725 msgid "months ago" msgstr "månader sedan" -#: js/js.js:732 +#: js/js.js:726 msgid "last year" msgstr "förra året" -#: js/js.js:733 +#: js/js.js:727 msgid "years ago" msgstr "år sedan" @@ -229,8 +229,8 @@ msgstr "Objekttypen är inte specificerad." #: js/oc-vcategories.js:14 js/oc-vcategories.js:80 js/oc-vcategories.js:95 #: js/oc-vcategories.js:110 js/oc-vcategories.js:125 js/oc-vcategories.js:136 #: js/oc-vcategories.js:172 js/oc-vcategories.js:189 js/oc-vcategories.js:195 -#: js/oc-vcategories.js:199 js/share.js:136 js/share.js:143 js/share.js:618 -#: js/share.js:630 +#: js/oc-vcategories.js:199 js/share.js:136 js/share.js:143 js/share.js:625 +#: js/share.js:637 msgid "Error" msgstr "Fel" @@ -250,7 +250,7 @@ msgstr "Delad" msgid "Share" msgstr "Dela" -#: js/share.js:125 js/share.js:658 +#: js/share.js:125 js/share.js:665 msgid "Error while sharing" msgstr "Fel vid delning" @@ -270,114 +270,114 @@ msgstr "Delad med dig och gruppen {group} av {owner}" msgid "Shared with you by {owner}" msgstr "Delad med dig av {owner}" -#: js/share.js:172 +#: js/share.js:177 msgid "Share with" msgstr "Delad med" -#: js/share.js:177 +#: js/share.js:182 msgid "Share with link" msgstr "Delad med länk" -#: js/share.js:180 +#: js/share.js:185 msgid "Password protect" msgstr "Lösenordsskydda" -#: js/share.js:182 templates/installation.php:54 templates/login.php:26 +#: js/share.js:187 templates/installation.php:54 templates/login.php:26 msgid "Password" msgstr "Lösenord" -#: js/share.js:186 +#: js/share.js:192 msgid "Allow Public Upload" msgstr "Tillåt publik uppladdning" -#: js/share.js:189 +#: js/share.js:196 msgid "Email link to person" msgstr "E-posta länk till person" -#: js/share.js:190 +#: js/share.js:197 msgid "Send" msgstr "Skicka" -#: js/share.js:195 +#: js/share.js:202 msgid "Set expiration date" msgstr "Sätt utgångsdatum" -#: js/share.js:196 +#: js/share.js:203 msgid "Expiration date" msgstr "Utgångsdatum" -#: js/share.js:228 +#: js/share.js:235 msgid "Share via email:" msgstr "Dela via e-post:" -#: js/share.js:230 +#: js/share.js:237 msgid "No people found" msgstr "Hittar inga användare" -#: js/share.js:268 +#: js/share.js:275 msgid "Resharing is not allowed" msgstr "Dela vidare är inte tillåtet" -#: js/share.js:304 +#: js/share.js:311 msgid "Shared in {item} with {user}" msgstr "Delad i {item} med {user}" -#: js/share.js:325 +#: js/share.js:332 msgid "Unshare" msgstr "Sluta dela" -#: js/share.js:337 +#: js/share.js:344 msgid "can edit" msgstr "kan redigera" -#: js/share.js:339 +#: js/share.js:346 msgid "access control" msgstr "åtkomstkontroll" -#: js/share.js:342 +#: js/share.js:349 msgid "create" msgstr "skapa" -#: js/share.js:345 +#: js/share.js:352 msgid "update" msgstr "uppdatera" -#: js/share.js:348 +#: js/share.js:355 msgid "delete" msgstr "radera" -#: js/share.js:351 +#: js/share.js:358 msgid "share" msgstr "dela" -#: js/share.js:385 js/share.js:605 +#: js/share.js:392 js/share.js:612 msgid "Password protected" msgstr "Lösenordsskyddad" -#: js/share.js:618 +#: js/share.js:625 msgid "Error unsetting expiration date" msgstr "Fel vid borttagning av utgångsdatum" -#: js/share.js:630 +#: js/share.js:637 msgid "Error setting expiration date" msgstr "Fel vid sättning av utgångsdatum" -#: js/share.js:645 +#: js/share.js:652 msgid "Sending ..." msgstr "Skickar ..." -#: js/share.js:656 +#: js/share.js:663 msgid "Email sent" msgstr "E-post skickat" -#: js/update.js:14 +#: js/update.js:17 msgid "" "The update was unsuccessful. Please report this issue to the ownCloud " "community." -msgstr "Uppdateringen misslyckades. Rapportera detta problem till ownCloud-gemenskapen." +msgstr "Uppdateringen misslyckades. Rapportera detta problem till ownCloud Community." -#: js/update.js:18 +#: js/update.js:21 msgid "The update was successful. Redirecting you to ownCloud now." msgstr "Uppdateringen lyckades. Du omdirigeras nu till OwnCloud." @@ -469,7 +469,7 @@ msgstr "Åtkomst förbjuden" msgid "Cloud not found" msgstr "Hittade inget moln" -#: templates/altmail.php:2 +#: templates/altmail.php:4 #, php-format msgid "" "Hey there,\n" @@ -480,10 +480,6 @@ msgid "" "Cheers!" msgstr "Hej där,⏎\n⏎\nville bara meddela dig att %s delade %s med dig.⏎\nTitta på den: %s⏎\n⏎\nVi hörs!" -#: templates/altmail.php:7 templates/mail.php:24 -msgid "web services under your control" -msgstr "webbtjänster under din kontroll" - #: templates/edit_categories_dialog.php:4 msgid "Edit categories" msgstr "Editera kategorier" @@ -615,7 +611,7 @@ msgstr "Logga in" msgid "Alternative Logins" msgstr "Alternativa inloggningar" -#: templates/mail.php:15 +#: templates/mail.php:16 #, php-format msgid "" "Hey there,

    just letting you know that %s shared »%s« with you.
    , 2013 +# medialabs, 2013 # Magnus Höglund , 2013 # medialabs, 2013 msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:12+0200\n" -"PO-Revision-Date: 2013-07-04 09:10+0000\n" -"Last-Translator: Magnus Höglund \n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:04+0000\n" +"Last-Translator: I Robot \n" "Language-Team: Swedish (http://www.transifex.com/projects/p/owncloud/language/sv/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -30,54 +31,54 @@ msgstr "Kunde inte flytta %s - Det finns redan en fil med detta namn" msgid "Could not move %s" msgstr "Kan inte flytta %s" -#: ajax/upload.php:16 ajax/upload.php:39 +#: ajax/upload.php:16 ajax/upload.php:45 msgid "Unable to set upload directory." msgstr "Kan inte sätta mapp för uppladdning." -#: ajax/upload.php:23 +#: ajax/upload.php:22 msgid "Invalid Token" msgstr "Ogiltig token" -#: ajax/upload.php:55 +#: ajax/upload.php:59 msgid "No file was uploaded. Unknown error" msgstr "Ingen fil uppladdad. Okänt fel" -#: ajax/upload.php:62 +#: ajax/upload.php:66 msgid "There is no error, the file uploaded with success" msgstr "Inga fel uppstod. Filen laddades upp utan problem." -#: ajax/upload.php:63 +#: ajax/upload.php:67 msgid "" "The uploaded file exceeds the upload_max_filesize directive in php.ini: " msgstr "Den uppladdade filen överskrider upload_max_filesize direktivet php.ini:" -#: ajax/upload.php:65 +#: ajax/upload.php:69 msgid "" "The uploaded file exceeds the MAX_FILE_SIZE directive that was specified in " "the HTML form" msgstr "Den uppladdade filen överskrider MAX_FILE_SIZE direktivet som har angetts i HTML formuläret" -#: ajax/upload.php:66 +#: ajax/upload.php:70 msgid "The uploaded file was only partially uploaded" msgstr "Den uppladdade filen var endast delvis uppladdad" -#: ajax/upload.php:67 +#: ajax/upload.php:71 msgid "No file was uploaded" msgstr "Ingen fil laddades upp" -#: ajax/upload.php:68 +#: ajax/upload.php:72 msgid "Missing a temporary folder" msgstr "En temporär mapp saknas" -#: ajax/upload.php:69 +#: ajax/upload.php:73 msgid "Failed to write to disk" msgstr "Misslyckades spara till disk" -#: ajax/upload.php:87 +#: ajax/upload.php:91 msgid "Not enough storage available" msgstr "Inte tillräckligt med lagringsutrymme tillgängligt" -#: ajax/upload.php:119 +#: ajax/upload.php:123 msgid "Invalid directory." msgstr "Felaktig mapp." @@ -131,43 +132,43 @@ msgstr "Radera" msgid "Rename" msgstr "Byt namn" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:464 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:465 msgid "Pending" msgstr "Väntar" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "{new_name} already exists" msgstr "{new_name} finns redan" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "replace" msgstr "ersätt" -#: js/filelist.js:302 +#: js/filelist.js:303 msgid "suggest name" msgstr "föreslå namn" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "cancel" msgstr "avbryt" -#: js/filelist.js:349 +#: js/filelist.js:350 msgid "replaced {new_name} with {old_name}" msgstr "ersatt {new_name} med {old_name}" -#: js/filelist.js:349 +#: js/filelist.js:350 msgid "undo" msgstr "ångra" -#: js/filelist.js:374 +#: js/filelist.js:375 msgid "perform delete operation" msgstr "utför raderingen" -#: js/filelist.js:456 +#: js/filelist.js:457 msgid "1 file uploading" msgstr "1 filuppladdning" -#: js/filelist.js:459 js/filelist.js:517 +#: js/filelist.js:460 js/filelist.js:518 msgid "files uploading" msgstr "filer laddas upp" @@ -215,19 +216,19 @@ msgstr "Storlek" msgid "Modified" msgstr "Ändrad" -#: js/files.js:765 +#: js/files.js:763 msgid "1 folder" msgstr "1 mapp" -#: js/files.js:767 +#: js/files.js:765 msgid "{count} folders" msgstr "{count} mappar" -#: js/files.js:775 +#: js/files.js:773 msgid "1 file" msgstr "1 fil" -#: js/files.js:777 +#: js/files.js:775 msgid "{count} files" msgstr "{count} filer" @@ -330,19 +331,19 @@ msgstr "Filer skannas, var god vänta" msgid "Current scanning" msgstr "Aktuell skanning" -#: templates/part.list.php:78 +#: templates/part.list.php:74 msgid "directory" msgstr "mapp" -#: templates/part.list.php:80 +#: templates/part.list.php:76 msgid "directories" msgstr "mappar" -#: templates/part.list.php:89 +#: templates/part.list.php:85 msgid "file" msgstr "fil" -#: templates/part.list.php:91 +#: templates/part.list.php:87 msgid "files" msgstr "filer" diff --git a/l10n/sv/files_encryption.po b/l10n/sv/files_encryption.po index e311ebaf59..cfb13426d4 100644 --- a/l10n/sv/files_encryption.po +++ b/l10n/sv/files_encryption.po @@ -6,13 +6,14 @@ # medialabs, 2013 # Magnus Höglund , 2013 # medialabs, 2013 +# Stefan Gagner , 2013 msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:12+0200\n" -"PO-Revision-Date: 2013-07-05 00:13+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-07-22 01:54-0400\n" +"PO-Revision-Date: 2013-07-21 14:20+0000\n" +"Last-Translator: Stefan Gagner \n" "Language-Team: Swedish (http://www.transifex.com/projects/p/owncloud/language/sv/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -66,14 +67,14 @@ msgstr "Din privata lösenordsnyckel är inte giltig! Troligen har ditt lösenor #: hooks/hooks.php:44 msgid "Missing requirements." -msgstr "" +msgstr "Krav som saknas" #: hooks/hooks.php:45 msgid "" "Please make sure that PHP 5.3.3 or newer is installed and that the OpenSSL " "PHP extension is enabled and configured properly. For now, the encryption " "app has been disabled." -msgstr "" +msgstr "Kontrollera att PHP 5.3.3 eller senare är installerad och att tillägget OpenSSL PHP är aktiverad och rätt inställd. Kryperingsappen är därför tillsvidare inaktiverad." #: js/settings-admin.js:11 msgid "Saving..." diff --git a/l10n/sv/files_external.po b/l10n/sv/files_external.po index 79ead110e2..af1c578869 100644 --- a/l10n/sv/files_external.po +++ b/l10n/sv/files_external.po @@ -8,8 +8,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: medialabs\n" "Language-Team: Swedish (http://www.transifex.com/projects/p/owncloud/language/sv/)\n" "MIME-Version: 1.0\n" @@ -38,20 +38,20 @@ msgstr "Ange en giltig Dropbox nyckel och hemlighet." msgid "Error configuring Google Drive storage" msgstr "Fel vid konfigurering av Google Drive" -#: lib/config.php:431 +#: lib/config.php:447 msgid "" "Warning: \"smbclient\" is not installed. Mounting of CIFS/SMB shares " "is not possible. Please ask your system administrator to install it." msgstr "Varning: \"smb-klienten\" är inte installerad. Montering av CIFS/SMB delningar är inte möjligt. Kontakta din systemadministratör för att få den installerad." -#: lib/config.php:434 +#: lib/config.php:450 msgid "" "Warning: The FTP support in PHP is not enabled or installed. Mounting" " of FTP shares is not possible. Please ask your system administrator to " "install it." msgstr "Varning: Stöd för FTP i PHP är inte aktiverat eller installerat. Montering av FTP-delningar är inte möjligt. Kontakta din systemadministratör för att få det installerat." -#: lib/config.php:437 +#: lib/config.php:453 msgid "" "Warning: The Curl support in PHP is not enabled or installed. " "Mounting of ownCloud / WebDAV or GoogleDrive is not possible. Please ask " diff --git a/l10n/sv/files_sharing.po b/l10n/sv/files_sharing.po index d70c00bf94..85deb24c85 100644 --- a/l10n/sv/files_sharing.po +++ b/l10n/sv/files_sharing.po @@ -3,13 +3,14 @@ # This file is distributed under the same license as the PACKAGE package. # # Translators: +# Stefan Gagner , 2013 msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:13+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" +"Last-Translator: Stefan Gagner \n" "Language-Team: Swedish (http://www.transifex.com/projects/p/owncloud/language/sv/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -19,7 +20,7 @@ msgstr "" #: templates/authenticate.php:4 msgid "The password is wrong. Try again." -msgstr "" +msgstr "Lösenordet är fel. Försök igen." #: templates/authenticate.php:7 msgid "Password" @@ -39,18 +40,18 @@ msgstr "%s delade mappen %s med dig" msgid "%s shared the file %s with you" msgstr "%s delade filen %s med dig" -#: templates/public.php:28 templates/public.php:86 +#: templates/public.php:28 templates/public.php:90 msgid "Download" msgstr "Ladda ner" -#: templates/public.php:44 +#: templates/public.php:45 templates/public.php:48 msgid "Upload" msgstr "Ladda upp" -#: templates/public.php:54 +#: templates/public.php:58 msgid "Cancel upload" msgstr "Avbryt uppladdning" -#: templates/public.php:83 +#: templates/public.php:87 msgid "No preview available for" msgstr "Ingen förhandsgranskning tillgänglig för" diff --git a/l10n/sv/files_trashbin.po b/l10n/sv/files_trashbin.po index 600a0d96b2..db9ab181d5 100644 --- a/l10n/sv/files_trashbin.po +++ b/l10n/sv/files_trashbin.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: I Robot \n" "Language-Team: Swedish (http://www.transifex.com/projects/p/owncloud/language/sv/)\n" "MIME-Version: 1.0\n" diff --git a/l10n/sv/lib.po b/l10n/sv/lib.po index bdeb2188c3..4c06773ff1 100644 --- a/l10n/sv/lib.po +++ b/l10n/sv/lib.po @@ -8,8 +8,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:13+0000\n" +"POT-Creation-Date: 2013-07-24 01:55-0400\n" +"PO-Revision-Date: 2013-07-24 05:55+0000\n" "Last-Translator: I Robot \n" "Language-Team: Swedish (http://www.transifex.com/projects/p/owncloud/language/sv/)\n" "MIME-Version: 1.0\n" @@ -42,27 +42,43 @@ msgstr "Program" msgid "Admin" msgstr "Admin" -#: defaults.php:33 -msgid "web services under your control" +#: app.php:844 +#, php-format +msgid "Failed to upgrade \"%s\"." msgstr "" -#: files.php:210 +#: defaults.php:33 +msgid "web services under your control" +msgstr "webbtjänster under din kontroll" + +#: files.php:66 files.php:98 +#, php-format +msgid "cannot open \"%s\"" +msgstr "" + +#: files.php:226 msgid "ZIP download is turned off." msgstr "Nerladdning av ZIP är avstängd." -#: files.php:211 +#: files.php:227 msgid "Files need to be downloaded one by one." msgstr "Filer laddas ner en åt gången." -#: files.php:212 files.php:245 +#: files.php:228 files.php:256 msgid "Back to Files" msgstr "Tillbaka till Filer" -#: files.php:242 +#: files.php:253 msgid "Selected files too large to generate zip file." msgstr "Valda filer är för stora för att skapa zip-fil." -#: helper.php:236 +#: files.php:254 +msgid "" +"Download the files in smaller chunks, seperately or kindly ask your " +"administrator." +msgstr "" + +#: helper.php:235 msgid "couldn't be determined" msgstr "kunde inte bestämmas" @@ -171,77 +187,81 @@ msgstr "Det felande kommandot var: \"%s\", name: %s, password: %s" msgid "PostgreSQL username and/or password not valid" msgstr "PostgreSQL-användarnamnet och/eller lösenordet är felaktigt" -#: setup.php:42 +#: setup.php:28 msgid "Set an admin username." msgstr "Ange ett användarnamn för administratören." -#: setup.php:45 +#: setup.php:31 msgid "Set an admin password." msgstr "Ange ett administratörslösenord." -#: setup.php:198 +#: setup.php:184 msgid "" "Your web server is not yet properly setup to allow files synchronization " "because the WebDAV interface seems to be broken." msgstr "Din webbserver är inte korrekt konfigurerad för att tillåta filsynkronisering eftersom WebDAV inte verkar fungera." -#: setup.php:199 +#: setup.php:185 #, php-format msgid "Please double check the installation guides." msgstr "Var god kontrollera installationsguiden." -#: template.php:113 +#: template/functions.php:80 msgid "seconds ago" msgstr "sekunder sedan" -#: template.php:114 +#: template/functions.php:81 msgid "1 minute ago" msgstr "1 minut sedan" -#: template.php:115 +#: template/functions.php:82 #, php-format msgid "%d minutes ago" msgstr "%d minuter sedan" -#: template.php:116 +#: template/functions.php:83 msgid "1 hour ago" msgstr "1 timme sedan" -#: template.php:117 +#: template/functions.php:84 #, php-format msgid "%d hours ago" msgstr "%d timmar sedan" -#: template.php:118 +#: template/functions.php:85 msgid "today" msgstr "i dag" -#: template.php:119 +#: template/functions.php:86 msgid "yesterday" msgstr "i går" -#: template.php:120 +#: template/functions.php:87 #, php-format msgid "%d days ago" msgstr "%d dagar sedan" -#: template.php:121 +#: template/functions.php:88 msgid "last month" msgstr "förra månaden" -#: template.php:122 +#: template/functions.php:89 #, php-format msgid "%d months ago" msgstr "%d månader sedan" -#: template.php:123 +#: template/functions.php:90 msgid "last year" msgstr "förra året" -#: template.php:124 +#: template/functions.php:91 msgid "years ago" msgstr "år sedan" +#: template.php:296 +msgid "Caused by:" +msgstr "" + #: vcategories.php:188 vcategories.php:249 #, php-format msgid "Could not find category \"%s\"" diff --git a/l10n/sv/settings.po b/l10n/sv/settings.po index fa154a3b61..5e4920f340 100644 --- a/l10n/sv/settings.po +++ b/l10n/sv/settings.po @@ -7,12 +7,13 @@ # Jan Busk, 2013 # Jan Busk, 2013 # medialabs, 2013 +# medialabs, 2013 msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:55+0000\n" "Last-Translator: I Robot \n" "Language-Team: Swedish (http://www.transifex.com/projects/p/owncloud/language/sv/)\n" "MIME-Version: 1.0\n" @@ -277,62 +278,71 @@ msgstr "Tillåt länkar" msgid "Allow users to share items to the public with links" msgstr "Tillåt delning till allmänheten via publika länkar" -#: templates/admin.php:152 +#: templates/admin.php:153 +msgid "Allow public uploads" +msgstr "" + +#: templates/admin.php:154 +msgid "" +"Allow users to enable others to upload into their publicly shared folders" +msgstr "" + +#: templates/admin.php:162 msgid "Allow resharing" msgstr "Tillåt vidaredelning" -#: templates/admin.php:153 +#: templates/admin.php:163 msgid "Allow users to share items shared with them again" msgstr "Tillåt användare att dela vidare filer som delats med dem" -#: templates/admin.php:160 +#: templates/admin.php:170 msgid "Allow users to share with anyone" msgstr "Tillåt delning med alla" -#: templates/admin.php:163 +#: templates/admin.php:173 msgid "Allow users to only share with users in their groups" msgstr "Tillåt bara delning med användare i egna grupper" -#: templates/admin.php:170 +#: templates/admin.php:180 msgid "Security" msgstr "Säkerhet" -#: templates/admin.php:183 +#: templates/admin.php:193 msgid "Enforce HTTPS" msgstr "Kräv HTTPS" -#: templates/admin.php:184 +#: templates/admin.php:194 msgid "" "Enforces the clients to connect to ownCloud via an encrypted connection." msgstr "Tvingar klienter att ansluta till ownCloud via en krypterad förbindelse." -#: templates/admin.php:187 +#: templates/admin.php:197 msgid "" "Please connect to this ownCloud instance via HTTPS to enable or disable the " "SSL enforcement." msgstr "Vänligen anslut till denna instans av ownCloud via HTTPS för att aktivera/avaktivera SSL" -#: templates/admin.php:197 +#: templates/admin.php:207 msgid "Log" msgstr "Logg" -#: templates/admin.php:198 +#: templates/admin.php:208 msgid "Log level" msgstr "Nivå på loggning" -#: templates/admin.php:229 +#: templates/admin.php:239 msgid "More" msgstr "Mer" -#: templates/admin.php:230 +#: templates/admin.php:240 msgid "Less" msgstr "Mindre" -#: templates/admin.php:236 templates/personal.php:116 +#: templates/admin.php:246 templates/personal.php:116 msgid "Version" msgstr "Version" -#: templates/admin.php:240 templates/personal.php:119 +#: templates/admin.php:250 templates/personal.php:119 msgid "" "Developed by the ownCloud community, the access your Files via WebDAV" +msgstr "Använd denna adress för att komma åt dina filer via WebDAV" #: templates/users.php:21 msgid "Login Name" diff --git a/l10n/sv/user_ldap.po b/l10n/sv/user_ldap.po index 838ca5b70c..e105fcb0dd 100644 --- a/l10n/sv/user_ldap.po +++ b/l10n/sv/user_ldap.po @@ -9,8 +9,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: medialabs\n" "Language-Team: Swedish (http://www.transifex.com/projects/p/owncloud/language/sv/)\n" "MIME-Version: 1.0\n" diff --git a/l10n/sw_KE/core.po b/l10n/sw_KE/core.po index 74d9a9bab4..834f706c36 100644 --- a/l10n/sw_KE/core.po +++ b/l10n/sw_KE/core.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-06-29 02:03+0200\n" -"PO-Revision-Date: 2013-06-29 00:03+0000\n" +"POT-Creation-Date: 2013-07-06 02:02+0200\n" +"PO-Revision-Date: 2013-07-06 00:02+0000\n" "Last-Translator: I Robot \n" "Language-Team: Swahili (Kenya) (http://www.transifex.com/projects/p/owncloud/language/sw_KE/)\n" "MIME-Version: 1.0\n" @@ -225,8 +225,8 @@ msgstr "" #: js/oc-vcategories.js:14 js/oc-vcategories.js:80 js/oc-vcategories.js:95 #: js/oc-vcategories.js:110 js/oc-vcategories.js:125 js/oc-vcategories.js:136 #: js/oc-vcategories.js:172 js/oc-vcategories.js:189 js/oc-vcategories.js:195 -#: js/oc-vcategories.js:199 js/share.js:136 js/share.js:143 js/share.js:618 -#: js/share.js:630 +#: js/oc-vcategories.js:199 js/share.js:136 js/share.js:143 js/share.js:620 +#: js/share.js:632 msgid "Error" msgstr "" @@ -246,7 +246,7 @@ msgstr "" msgid "Share" msgstr "" -#: js/share.js:125 js/share.js:658 +#: js/share.js:125 js/share.js:660 msgid "Error while sharing" msgstr "" @@ -282,87 +282,87 @@ msgstr "" msgid "Password" msgstr "" -#: js/share.js:186 +#: js/share.js:187 msgid "Allow Public Upload" msgstr "" -#: js/share.js:189 +#: js/share.js:191 msgid "Email link to person" msgstr "" -#: js/share.js:190 +#: js/share.js:192 msgid "Send" msgstr "" -#: js/share.js:195 +#: js/share.js:197 msgid "Set expiration date" msgstr "" -#: js/share.js:196 +#: js/share.js:198 msgid "Expiration date" msgstr "" -#: js/share.js:228 +#: js/share.js:230 msgid "Share via email:" msgstr "" -#: js/share.js:230 +#: js/share.js:232 msgid "No people found" msgstr "" -#: js/share.js:268 +#: js/share.js:270 msgid "Resharing is not allowed" msgstr "" -#: js/share.js:304 +#: js/share.js:306 msgid "Shared in {item} with {user}" msgstr "" -#: js/share.js:325 +#: js/share.js:327 msgid "Unshare" msgstr "" -#: js/share.js:337 +#: js/share.js:339 msgid "can edit" msgstr "" -#: js/share.js:339 +#: js/share.js:341 msgid "access control" msgstr "" -#: js/share.js:342 +#: js/share.js:344 msgid "create" msgstr "" -#: js/share.js:345 +#: js/share.js:347 msgid "update" msgstr "" -#: js/share.js:348 +#: js/share.js:350 msgid "delete" msgstr "" -#: js/share.js:351 +#: js/share.js:353 msgid "share" msgstr "" -#: js/share.js:385 js/share.js:605 +#: js/share.js:387 js/share.js:607 msgid "Password protected" msgstr "" -#: js/share.js:618 +#: js/share.js:620 msgid "Error unsetting expiration date" msgstr "" -#: js/share.js:630 +#: js/share.js:632 msgid "Error setting expiration date" msgstr "" -#: js/share.js:645 +#: js/share.js:647 msgid "Sending ..." msgstr "" -#: js/share.js:656 +#: js/share.js:658 msgid "Email sent" msgstr "" @@ -465,7 +465,7 @@ msgstr "" msgid "Cloud not found" msgstr "" -#: templates/altmail.php:2 +#: templates/altmail.php:4 #, php-format msgid "" "Hey there,\n" @@ -476,10 +476,6 @@ msgid "" "Cheers!" msgstr "" -#: templates/altmail.php:7 templates/mail.php:24 -msgid "web services under your control" -msgstr "" - #: templates/edit_categories_dialog.php:4 msgid "Edit categories" msgstr "" @@ -572,12 +568,12 @@ msgstr "" msgid "Finish setup" msgstr "" -#: templates/layout.user.php:40 +#: templates/layout.user.php:43 #, php-format msgid "%s is available. Get more information on how to update." msgstr "" -#: templates/layout.user.php:67 +#: templates/layout.user.php:68 msgid "Log out" msgstr "" @@ -611,7 +607,7 @@ msgstr "" msgid "Alternative Logins" msgstr "" -#: templates/mail.php:15 +#: templates/mail.php:16 #, php-format msgid "" "Hey there,

    just letting you know that %s shared »%s« with you.
    \n" "Language-Team: Swahili (Kenya) (http://www.transifex.com/projects/p/owncloud/language/sw_KE/)\n" "MIME-Version: 1.0\n" @@ -27,54 +27,54 @@ msgstr "" msgid "Could not move %s" msgstr "" -#: ajax/upload.php:16 ajax/upload.php:39 +#: ajax/upload.php:16 ajax/upload.php:45 msgid "Unable to set upload directory." msgstr "" -#: ajax/upload.php:23 +#: ajax/upload.php:22 msgid "Invalid Token" msgstr "" -#: ajax/upload.php:55 +#: ajax/upload.php:59 msgid "No file was uploaded. Unknown error" msgstr "" -#: ajax/upload.php:62 +#: ajax/upload.php:66 msgid "There is no error, the file uploaded with success" msgstr "" -#: ajax/upload.php:63 +#: ajax/upload.php:67 msgid "" "The uploaded file exceeds the upload_max_filesize directive in php.ini: " msgstr "" -#: ajax/upload.php:65 +#: ajax/upload.php:69 msgid "" "The uploaded file exceeds the MAX_FILE_SIZE directive that was specified in " "the HTML form" msgstr "" -#: ajax/upload.php:66 +#: ajax/upload.php:70 msgid "The uploaded file was only partially uploaded" msgstr "" -#: ajax/upload.php:67 +#: ajax/upload.php:71 msgid "No file was uploaded" msgstr "" -#: ajax/upload.php:68 +#: ajax/upload.php:72 msgid "Missing a temporary folder" msgstr "" -#: ajax/upload.php:69 +#: ajax/upload.php:73 msgid "Failed to write to disk" msgstr "" -#: ajax/upload.php:87 +#: ajax/upload.php:91 msgid "Not enough storage available" msgstr "" -#: ajax/upload.php:119 +#: ajax/upload.php:123 msgid "Invalid directory." msgstr "" @@ -128,43 +128,43 @@ msgstr "" msgid "Rename" msgstr "" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:464 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:465 msgid "Pending" msgstr "" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "{new_name} already exists" msgstr "" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "replace" msgstr "" -#: js/filelist.js:302 +#: js/filelist.js:303 msgid "suggest name" msgstr "" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "cancel" msgstr "" -#: js/filelist.js:349 +#: js/filelist.js:350 msgid "replaced {new_name} with {old_name}" msgstr "" -#: js/filelist.js:349 +#: js/filelist.js:350 msgid "undo" msgstr "" -#: js/filelist.js:374 +#: js/filelist.js:375 msgid "perform delete operation" msgstr "" -#: js/filelist.js:456 +#: js/filelist.js:457 msgid "1 file uploading" msgstr "" -#: js/filelist.js:459 js/filelist.js:517 +#: js/filelist.js:460 js/filelist.js:518 msgid "files uploading" msgstr "" @@ -212,19 +212,19 @@ msgstr "" msgid "Modified" msgstr "" -#: js/files.js:765 +#: js/files.js:763 msgid "1 folder" msgstr "" -#: js/files.js:767 +#: js/files.js:765 msgid "{count} folders" msgstr "" -#: js/files.js:775 +#: js/files.js:773 msgid "1 file" msgstr "" -#: js/files.js:777 +#: js/files.js:775 msgid "{count} files" msgstr "" @@ -327,19 +327,19 @@ msgstr "" msgid "Current scanning" msgstr "" -#: templates/part.list.php:78 +#: templates/part.list.php:74 msgid "directory" msgstr "" -#: templates/part.list.php:80 +#: templates/part.list.php:76 msgid "directories" msgstr "" -#: templates/part.list.php:89 +#: templates/part.list.php:85 msgid "file" msgstr "" -#: templates/part.list.php:91 +#: templates/part.list.php:87 msgid "files" msgstr "" diff --git a/l10n/sw_KE/lib.po b/l10n/sw_KE/lib.po index cf3d110e8e..5f0afb54ab 100644 --- a/l10n/sw_KE/lib.po +++ b/l10n/sw_KE/lib.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:13+0000\n" +"POT-Creation-Date: 2013-07-24 01:55-0400\n" +"PO-Revision-Date: 2013-07-24 05:55+0000\n" "Last-Translator: I Robot \n" "Language-Team: Swahili (Kenya) (http://www.transifex.com/projects/p/owncloud/language/sw_KE/)\n" "MIME-Version: 1.0\n" @@ -41,27 +41,43 @@ msgstr "" msgid "Admin" msgstr "" +#: app.php:844 +#, php-format +msgid "Failed to upgrade \"%s\"." +msgstr "" + #: defaults.php:33 msgid "web services under your control" msgstr "" -#: files.php:210 +#: files.php:66 files.php:98 +#, php-format +msgid "cannot open \"%s\"" +msgstr "" + +#: files.php:226 msgid "ZIP download is turned off." msgstr "" -#: files.php:211 +#: files.php:227 msgid "Files need to be downloaded one by one." msgstr "" -#: files.php:212 files.php:245 +#: files.php:228 files.php:256 msgid "Back to Files" msgstr "" -#: files.php:242 +#: files.php:253 msgid "Selected files too large to generate zip file." msgstr "" -#: helper.php:236 +#: files.php:254 +msgid "" +"Download the files in smaller chunks, seperately or kindly ask your " +"administrator." +msgstr "" + +#: helper.php:235 msgid "couldn't be determined" msgstr "" @@ -170,77 +186,81 @@ msgstr "" msgid "PostgreSQL username and/or password not valid" msgstr "" -#: setup.php:42 +#: setup.php:28 msgid "Set an admin username." msgstr "" -#: setup.php:45 +#: setup.php:31 msgid "Set an admin password." msgstr "" -#: setup.php:198 +#: setup.php:184 msgid "" "Your web server is not yet properly setup to allow files synchronization " "because the WebDAV interface seems to be broken." msgstr "" -#: setup.php:199 +#: setup.php:185 #, php-format msgid "Please double check the installation guides." msgstr "" -#: template.php:113 +#: template/functions.php:80 msgid "seconds ago" msgstr "" -#: template.php:114 +#: template/functions.php:81 msgid "1 minute ago" msgstr "" -#: template.php:115 +#: template/functions.php:82 #, php-format msgid "%d minutes ago" msgstr "" -#: template.php:116 +#: template/functions.php:83 msgid "1 hour ago" msgstr "" -#: template.php:117 +#: template/functions.php:84 #, php-format msgid "%d hours ago" msgstr "" -#: template.php:118 +#: template/functions.php:85 msgid "today" msgstr "" -#: template.php:119 +#: template/functions.php:86 msgid "yesterday" msgstr "" -#: template.php:120 +#: template/functions.php:87 #, php-format msgid "%d days ago" msgstr "" -#: template.php:121 +#: template/functions.php:88 msgid "last month" msgstr "" -#: template.php:122 +#: template/functions.php:89 #, php-format msgid "%d months ago" msgstr "" -#: template.php:123 +#: template/functions.php:90 msgid "last year" msgstr "" -#: template.php:124 +#: template/functions.php:91 msgid "years ago" msgstr "" +#: template.php:296 +msgid "Caused by:" +msgstr "" + #: vcategories.php:188 vcategories.php:249 #, php-format msgid "Could not find category \"%s\"" diff --git a/l10n/sw_KE/settings.po b/l10n/sw_KE/settings.po index 01bbab7a24..687adfcdbb 100644 --- a/l10n/sw_KE/settings.po +++ b/l10n/sw_KE/settings.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-06-20 02:37+0200\n" -"PO-Revision-Date: 2013-06-20 00:37+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:55+0000\n" "Last-Translator: I Robot \n" "Language-Team: Swahili (Kenya) (http://www.transifex.com/projects/p/owncloud/language/sw_KE/)\n" "MIME-Version: 1.0\n" @@ -88,35 +88,35 @@ msgstr "" msgid "Couldn't update app." msgstr "" -#: js/apps.js:30 +#: js/apps.js:35 msgid "Update to {appversion}" msgstr "" -#: js/apps.js:36 js/apps.js:76 +#: js/apps.js:41 js/apps.js:81 msgid "Disable" msgstr "" -#: js/apps.js:36 js/apps.js:64 js/apps.js:83 +#: js/apps.js:41 js/apps.js:69 js/apps.js:88 msgid "Enable" msgstr "" -#: js/apps.js:55 +#: js/apps.js:60 msgid "Please wait...." msgstr "" -#: js/apps.js:59 js/apps.js:71 js/apps.js:80 js/apps.js:93 +#: js/apps.js:64 js/apps.js:76 js/apps.js:85 js/apps.js:98 msgid "Error" msgstr "" -#: js/apps.js:90 +#: js/apps.js:95 msgid "Updating...." msgstr "" -#: js/apps.js:93 +#: js/apps.js:98 msgid "Error while updating app" msgstr "" -#: js/apps.js:96 +#: js/apps.js:101 msgid "Updated" msgstr "" @@ -165,15 +165,15 @@ msgstr "" msgid "A valid password must be provided" msgstr "" -#: personal.php:35 personal.php:36 +#: personal.php:37 personal.php:38 msgid "__language_name__" msgstr "" -#: templates/admin.php:15 +#: templates/admin.php:17 msgid "Security Warning" msgstr "" -#: templates/admin.php:18 +#: templates/admin.php:20 msgid "" "Your data directory and your files are probably accessible from the " "internet. The .htaccess file that ownCloud provides is not working. We " @@ -182,36 +182,36 @@ msgid "" " webserver document root." msgstr "" -#: templates/admin.php:29 +#: templates/admin.php:31 msgid "Setup Warning" msgstr "" -#: templates/admin.php:32 +#: templates/admin.php:34 msgid "" "Your web server is not yet properly setup to allow files synchronization " "because the WebDAV interface seems to be broken." msgstr "" -#: templates/admin.php:33 +#: templates/admin.php:35 #, php-format msgid "Please double check the installation guides." msgstr "" -#: templates/admin.php:44 +#: templates/admin.php:46 msgid "Module 'fileinfo' missing" msgstr "" -#: templates/admin.php:47 +#: templates/admin.php:49 msgid "" "The PHP module 'fileinfo' is missing. We strongly recommend to enable this " "module to get best results with mime-type detection." msgstr "" -#: templates/admin.php:58 +#: templates/admin.php:60 msgid "Locale not working" msgstr "" -#: templates/admin.php:63 +#: templates/admin.php:65 #, php-format msgid "" "This ownCloud server can't set system locale to %s. This means that there " @@ -219,11 +219,11 @@ msgid "" " to install the required packages on your system to support %s." msgstr "" -#: templates/admin.php:75 +#: templates/admin.php:77 msgid "Internet connection not working" msgstr "" -#: templates/admin.php:78 +#: templates/admin.php:80 msgid "" "This ownCloud server has no working internet connection. This means that " "some of the features like mounting of external storage, notifications about " @@ -233,102 +233,111 @@ msgid "" " of ownCloud." msgstr "" -#: templates/admin.php:92 +#: templates/admin.php:94 msgid "Cron" msgstr "" -#: templates/admin.php:101 +#: templates/admin.php:103 msgid "Execute one task with each page loaded" msgstr "" -#: templates/admin.php:111 +#: templates/admin.php:113 msgid "" "cron.php is registered at a webcron service. Call the cron.php page in the " "owncloud root once a minute over http." msgstr "" -#: templates/admin.php:121 +#: templates/admin.php:123 msgid "" "Use systems cron service. Call the cron.php file in the owncloud folder via " "a system cronjob once a minute." msgstr "" -#: templates/admin.php:128 +#: templates/admin.php:130 msgid "Sharing" msgstr "" -#: templates/admin.php:134 +#: templates/admin.php:136 msgid "Enable Share API" msgstr "" -#: templates/admin.php:135 +#: templates/admin.php:137 msgid "Allow apps to use the Share API" msgstr "" -#: templates/admin.php:142 +#: templates/admin.php:144 msgid "Allow links" msgstr "" -#: templates/admin.php:143 +#: templates/admin.php:145 msgid "Allow users to share items to the public with links" msgstr "" -#: templates/admin.php:150 +#: templates/admin.php:153 +msgid "Allow public uploads" +msgstr "" + +#: templates/admin.php:154 +msgid "" +"Allow users to enable others to upload into their publicly shared folders" +msgstr "" + +#: templates/admin.php:162 msgid "Allow resharing" msgstr "" -#: templates/admin.php:151 +#: templates/admin.php:163 msgid "Allow users to share items shared with them again" msgstr "" -#: templates/admin.php:158 +#: templates/admin.php:170 msgid "Allow users to share with anyone" msgstr "" -#: templates/admin.php:161 +#: templates/admin.php:173 msgid "Allow users to only share with users in their groups" msgstr "" -#: templates/admin.php:168 +#: templates/admin.php:180 msgid "Security" msgstr "" -#: templates/admin.php:181 +#: templates/admin.php:193 msgid "Enforce HTTPS" msgstr "" -#: templates/admin.php:182 +#: templates/admin.php:194 msgid "" "Enforces the clients to connect to ownCloud via an encrypted connection." msgstr "" -#: templates/admin.php:185 +#: templates/admin.php:197 msgid "" "Please connect to this ownCloud instance via HTTPS to enable or disable the " "SSL enforcement." msgstr "" -#: templates/admin.php:195 +#: templates/admin.php:207 msgid "Log" msgstr "" -#: templates/admin.php:196 +#: templates/admin.php:208 msgid "Log level" msgstr "" -#: templates/admin.php:227 +#: templates/admin.php:239 msgid "More" msgstr "" -#: templates/admin.php:228 +#: templates/admin.php:240 msgid "Less" msgstr "" -#: templates/admin.php:235 templates/personal.php:116 +#: templates/admin.php:246 templates/personal.php:116 msgid "Version" msgstr "" -#: templates/admin.php:237 templates/personal.php:119 +#: templates/admin.php:250 templates/personal.php:119 msgid "" "Developed by the ownCloud community, the %s of the available %s" msgstr "" -#: templates/personal.php:40 templates/users.php:23 templates/users.php:86 +#: templates/personal.php:41 templates/users.php:23 templates/users.php:86 msgid "Password" msgstr "" -#: templates/personal.php:41 +#: templates/personal.php:42 msgid "Your password was changed" msgstr "" -#: templates/personal.php:42 +#: templates/personal.php:43 msgid "Unable to change your password" msgstr "" -#: templates/personal.php:43 +#: templates/personal.php:44 msgid "Current password" msgstr "" -#: templates/personal.php:45 +#: templates/personal.php:46 msgid "New password" msgstr "" -#: templates/personal.php:47 +#: templates/personal.php:48 msgid "Change password" msgstr "" -#: templates/personal.php:59 templates/users.php:85 +#: templates/personal.php:60 templates/users.php:85 msgid "Display Name" msgstr "" -#: templates/personal.php:74 +#: templates/personal.php:75 msgid "Email" msgstr "" -#: templates/personal.php:76 +#: templates/personal.php:77 msgid "Your email address" msgstr "" -#: templates/personal.php:77 +#: templates/personal.php:78 msgid "Fill in an email address to enable password recovery" msgstr "" -#: templates/personal.php:86 templates/personal.php:87 +#: templates/personal.php:87 templates/personal.php:88 msgid "Language" msgstr "" -#: templates/personal.php:99 +#: templates/personal.php:100 msgid "Help translate" msgstr "" -#: templates/personal.php:105 +#: templates/personal.php:106 msgid "WebDAV" msgstr "" -#: templates/personal.php:107 -msgid "Use this address to connect to your ownCloud in your file manager" +#: templates/personal.php:108 +#, php-format +msgid "" +"Use this address to access your Files via WebDAV" msgstr "" #: templates/users.php:21 diff --git a/l10n/ta_LK/core.po b/l10n/ta_LK/core.po index 16b4d4dfa7..7e1bb8da7a 100644 --- a/l10n/ta_LK/core.po +++ b/l10n/ta_LK/core.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:12+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:04+0000\n" "Last-Translator: I Robot \n" "Language-Team: Tamil (Sri-Lanka) (http://www.transifex.com/projects/p/owncloud/language/ta_LK/)\n" "MIME-Version: 1.0\n" @@ -137,59 +137,59 @@ msgstr "கார்த்திகை" msgid "December" msgstr "மார்கழி" -#: js/js.js:289 +#: js/js.js:293 msgid "Settings" msgstr "அமைப்புகள்" -#: js/js.js:721 +#: js/js.js:715 msgid "seconds ago" msgstr "செக்கன்களுக்கு முன்" -#: js/js.js:722 +#: js/js.js:716 msgid "1 minute ago" msgstr "1 நிமிடத்திற்கு முன் " -#: js/js.js:723 +#: js/js.js:717 msgid "{minutes} minutes ago" msgstr "{நிமிடங்கள்} நிமிடங்களுக்கு முன் " -#: js/js.js:724 +#: js/js.js:718 msgid "1 hour ago" msgstr "1 மணித்தியாலத்திற்கு முன்" -#: js/js.js:725 +#: js/js.js:719 msgid "{hours} hours ago" msgstr "{மணித்தியாலங்கள்} மணித்தியாலங்களிற்கு முன்" -#: js/js.js:726 +#: js/js.js:720 msgid "today" msgstr "இன்று" -#: js/js.js:727 +#: js/js.js:721 msgid "yesterday" msgstr "நேற்று" -#: js/js.js:728 +#: js/js.js:722 msgid "{days} days ago" msgstr "{நாட்கள்} நாட்களுக்கு முன்" -#: js/js.js:729 +#: js/js.js:723 msgid "last month" msgstr "கடந்த மாதம்" -#: js/js.js:730 +#: js/js.js:724 msgid "{months} months ago" msgstr "{மாதங்கள்} மாதங்களிற்கு முன்" -#: js/js.js:731 +#: js/js.js:725 msgid "months ago" msgstr "மாதங்களுக்கு முன்" -#: js/js.js:732 +#: js/js.js:726 msgid "last year" msgstr "கடந்த வருடம்" -#: js/js.js:733 +#: js/js.js:727 msgid "years ago" msgstr "வருடங்களுக்கு முன்" @@ -225,8 +225,8 @@ msgstr "பொருள் வகை குறிப்பிடப்படவ #: js/oc-vcategories.js:14 js/oc-vcategories.js:80 js/oc-vcategories.js:95 #: js/oc-vcategories.js:110 js/oc-vcategories.js:125 js/oc-vcategories.js:136 #: js/oc-vcategories.js:172 js/oc-vcategories.js:189 js/oc-vcategories.js:195 -#: js/oc-vcategories.js:199 js/share.js:136 js/share.js:143 js/share.js:618 -#: js/share.js:630 +#: js/oc-vcategories.js:199 js/share.js:136 js/share.js:143 js/share.js:625 +#: js/share.js:637 msgid "Error" msgstr "வழு" @@ -246,7 +246,7 @@ msgstr "" msgid "Share" msgstr "பகிர்வு" -#: js/share.js:125 js/share.js:658 +#: js/share.js:125 js/share.js:665 msgid "Error while sharing" msgstr "பகிரும் போதான வழு" @@ -266,114 +266,114 @@ msgstr "உங்களுடனும் குழுவுக்கிடை msgid "Shared with you by {owner}" msgstr "உங்களுடன் பகிரப்பட்டுள்ளது {உரிமையாளர்}" -#: js/share.js:172 +#: js/share.js:177 msgid "Share with" msgstr "பகிர்தல்" -#: js/share.js:177 +#: js/share.js:182 msgid "Share with link" msgstr "இணைப்புடன் பகிர்தல்" -#: js/share.js:180 +#: js/share.js:185 msgid "Password protect" msgstr "கடவுச்சொல்லை பாதுகாத்தல்" -#: js/share.js:182 templates/installation.php:54 templates/login.php:26 +#: js/share.js:187 templates/installation.php:54 templates/login.php:26 msgid "Password" msgstr "கடவுச்சொல்" -#: js/share.js:186 +#: js/share.js:192 msgid "Allow Public Upload" msgstr "" -#: js/share.js:189 +#: js/share.js:196 msgid "Email link to person" msgstr "" -#: js/share.js:190 +#: js/share.js:197 msgid "Send" msgstr "" -#: js/share.js:195 +#: js/share.js:202 msgid "Set expiration date" msgstr "காலாவதி தேதியை குறிப்பிடுக" -#: js/share.js:196 +#: js/share.js:203 msgid "Expiration date" msgstr "காலவதியாகும் திகதி" -#: js/share.js:228 +#: js/share.js:235 msgid "Share via email:" msgstr "மின்னஞ்சலினூடான பகிர்வு: " -#: js/share.js:230 +#: js/share.js:237 msgid "No people found" msgstr "நபர்கள் யாரும் இல்லை" -#: js/share.js:268 +#: js/share.js:275 msgid "Resharing is not allowed" msgstr "மீள்பகிர்வதற்கு அனுமதி இல்லை " -#: js/share.js:304 +#: js/share.js:311 msgid "Shared in {item} with {user}" msgstr "{பயனாளர்} உடன் {உருப்படி} பகிரப்பட்டுள்ளது" -#: js/share.js:325 +#: js/share.js:332 msgid "Unshare" msgstr "பகிரப்படாதது" -#: js/share.js:337 +#: js/share.js:344 msgid "can edit" msgstr "தொகுக்க முடியும்" -#: js/share.js:339 +#: js/share.js:346 msgid "access control" msgstr "கட்டுப்பாடான அணுகல்" -#: js/share.js:342 +#: js/share.js:349 msgid "create" msgstr "உருவவாக்கல்" -#: js/share.js:345 +#: js/share.js:352 msgid "update" msgstr "இற்றைப்படுத்தல்" -#: js/share.js:348 +#: js/share.js:355 msgid "delete" msgstr "நீக்குக" -#: js/share.js:351 +#: js/share.js:358 msgid "share" msgstr "பகிர்தல்" -#: js/share.js:385 js/share.js:605 +#: js/share.js:392 js/share.js:612 msgid "Password protected" msgstr "கடவுச்சொல் பாதுகாக்கப்பட்டது" -#: js/share.js:618 +#: js/share.js:625 msgid "Error unsetting expiration date" msgstr "காலாவதியாகும் திகதியை குறிப்பிடாமைக்கான வழு" -#: js/share.js:630 +#: js/share.js:637 msgid "Error setting expiration date" msgstr "காலாவதியாகும் திகதியை குறிப்பிடுவதில் வழு" -#: js/share.js:645 +#: js/share.js:652 msgid "Sending ..." msgstr "" -#: js/share.js:656 +#: js/share.js:663 msgid "Email sent" msgstr "" -#: js/update.js:14 +#: js/update.js:17 msgid "" "The update was unsuccessful. Please report this issue to the ownCloud " "community." msgstr "" -#: js/update.js:18 +#: js/update.js:21 msgid "The update was successful. Redirecting you to ownCloud now." msgstr "" @@ -465,7 +465,7 @@ msgstr "அணுக தடை" msgid "Cloud not found" msgstr "Cloud காணப்படவில்லை" -#: templates/altmail.php:2 +#: templates/altmail.php:4 #, php-format msgid "" "Hey there,\n" @@ -476,10 +476,6 @@ msgid "" "Cheers!" msgstr "" -#: templates/altmail.php:7 templates/mail.php:24 -msgid "web services under your control" -msgstr "வலைய சேவைகள் உங்களுடைய கட்டுப்பாட்டின் கீழ் உள்ளது" - #: templates/edit_categories_dialog.php:4 msgid "Edit categories" msgstr "வகைகளை தொகுக்க" @@ -611,7 +607,7 @@ msgstr "புகுபதிகை" msgid "Alternative Logins" msgstr "" -#: templates/mail.php:15 +#: templates/mail.php:16 #, php-format msgid "" "Hey there,

    just letting you know that %s shared »%s« with you.
    \n" "Language-Team: Tamil (Sri-Lanka) (http://www.transifex.com/projects/p/owncloud/language/ta_LK/)\n" "MIME-Version: 1.0\n" @@ -27,54 +27,54 @@ msgstr "" msgid "Could not move %s" msgstr "" -#: ajax/upload.php:16 ajax/upload.php:39 +#: ajax/upload.php:16 ajax/upload.php:45 msgid "Unable to set upload directory." msgstr "" -#: ajax/upload.php:23 +#: ajax/upload.php:22 msgid "Invalid Token" msgstr "" -#: ajax/upload.php:55 +#: ajax/upload.php:59 msgid "No file was uploaded. Unknown error" msgstr "ஒரு கோப்பும் பதிவேற்றப்படவில்லை. அறியப்படாத வழு" -#: ajax/upload.php:62 +#: ajax/upload.php:66 msgid "There is no error, the file uploaded with success" msgstr "இங்கு வழு இல்லை, கோப்பு வெற்றிகரமாக பதிவேற்றப்பட்டது" -#: ajax/upload.php:63 +#: ajax/upload.php:67 msgid "" "The uploaded file exceeds the upload_max_filesize directive in php.ini: " msgstr "" -#: ajax/upload.php:65 +#: ajax/upload.php:69 msgid "" "The uploaded file exceeds the MAX_FILE_SIZE directive that was specified in " "the HTML form" msgstr "பதிவேற்றப்பட்ட கோப்பானது HTML படிவத்தில் குறிப்பிடப்பட்டுள்ள MAX_FILE_SIZE directive ஐ விட கூடியது" -#: ajax/upload.php:66 +#: ajax/upload.php:70 msgid "The uploaded file was only partially uploaded" msgstr "பதிவேற்றப்பட்ட கோப்பானது பகுதியாக மட்டுமே பதிவேற்றப்பட்டுள்ளது" -#: ajax/upload.php:67 +#: ajax/upload.php:71 msgid "No file was uploaded" msgstr "எந்த கோப்பும் பதிவேற்றப்படவில்லை" -#: ajax/upload.php:68 +#: ajax/upload.php:72 msgid "Missing a temporary folder" msgstr "ஒரு தற்காலிகமான கோப்புறையை காணவில்லை" -#: ajax/upload.php:69 +#: ajax/upload.php:73 msgid "Failed to write to disk" msgstr "வட்டில் எழுத முடியவில்லை" -#: ajax/upload.php:87 +#: ajax/upload.php:91 msgid "Not enough storage available" msgstr "" -#: ajax/upload.php:119 +#: ajax/upload.php:123 msgid "Invalid directory." msgstr "" @@ -128,43 +128,43 @@ msgstr "நீக்குக" msgid "Rename" msgstr "பெயர்மாற்றம்" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:464 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:465 msgid "Pending" msgstr "நிலுவையிலுள்ள" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "{new_name} already exists" msgstr "{new_name} ஏற்கனவே உள்ளது" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "replace" msgstr "மாற்றிடுக" -#: js/filelist.js:302 +#: js/filelist.js:303 msgid "suggest name" msgstr "பெயரை பரிந்துரைக்க" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "cancel" msgstr "இரத்து செய்க" -#: js/filelist.js:349 +#: js/filelist.js:350 msgid "replaced {new_name} with {old_name}" msgstr "{new_name} ஆனது {old_name} இனால் மாற்றப்பட்டது" -#: js/filelist.js:349 +#: js/filelist.js:350 msgid "undo" msgstr "முன் செயல் நீக்கம் " -#: js/filelist.js:374 +#: js/filelist.js:375 msgid "perform delete operation" msgstr "" -#: js/filelist.js:456 +#: js/filelist.js:457 msgid "1 file uploading" msgstr "1 கோப்பு பதிவேற்றப்படுகிறது" -#: js/filelist.js:459 js/filelist.js:517 +#: js/filelist.js:460 js/filelist.js:518 msgid "files uploading" msgstr "" @@ -212,19 +212,19 @@ msgstr "அளவு" msgid "Modified" msgstr "மாற்றப்பட்டது" -#: js/files.js:765 +#: js/files.js:763 msgid "1 folder" msgstr "1 கோப்புறை" -#: js/files.js:767 +#: js/files.js:765 msgid "{count} folders" msgstr "{எண்ணிக்கை} கோப்புறைகள்" -#: js/files.js:775 +#: js/files.js:773 msgid "1 file" msgstr "1 கோப்பு" -#: js/files.js:777 +#: js/files.js:775 msgid "{count} files" msgstr "{எண்ணிக்கை} கோப்புகள்" @@ -327,19 +327,19 @@ msgstr "கோப்புகள் வருடப்படுகின்ற msgid "Current scanning" msgstr "தற்போது வருடப்படுபவை" -#: templates/part.list.php:78 +#: templates/part.list.php:74 msgid "directory" msgstr "" -#: templates/part.list.php:80 +#: templates/part.list.php:76 msgid "directories" msgstr "" -#: templates/part.list.php:89 +#: templates/part.list.php:85 msgid "file" msgstr "" -#: templates/part.list.php:91 +#: templates/part.list.php:87 msgid "files" msgstr "" diff --git a/l10n/ta_LK/files_external.po b/l10n/ta_LK/files_external.po index 929d3d3b4f..510a8d15dc 100644 --- a/l10n/ta_LK/files_external.po +++ b/l10n/ta_LK/files_external.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: I Robot \n" "Language-Team: Tamil (Sri-Lanka) (http://www.transifex.com/projects/p/owncloud/language/ta_LK/)\n" "MIME-Version: 1.0\n" @@ -37,20 +37,20 @@ msgstr "தயவுசெய்து ஒரு செல்லுபடிய msgid "Error configuring Google Drive storage" msgstr "Google இயக்க சேமிப்பகத்தை தகமைப்பதில் வழு" -#: lib/config.php:431 +#: lib/config.php:447 msgid "" "Warning: \"smbclient\" is not installed. Mounting of CIFS/SMB shares " "is not possible. Please ask your system administrator to install it." msgstr "" -#: lib/config.php:434 +#: lib/config.php:450 msgid "" "Warning: The FTP support in PHP is not enabled or installed. Mounting" " of FTP shares is not possible. Please ask your system administrator to " "install it." msgstr "" -#: lib/config.php:437 +#: lib/config.php:453 msgid "" "Warning: The Curl support in PHP is not enabled or installed. " "Mounting of ownCloud / WebDAV or GoogleDrive is not possible. Please ask " diff --git a/l10n/ta_LK/files_sharing.po b/l10n/ta_LK/files_sharing.po index 071a3107f3..4349314170 100644 --- a/l10n/ta_LK/files_sharing.po +++ b/l10n/ta_LK/files_sharing.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:13+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: I Robot \n" "Language-Team: Tamil (Sri-Lanka) (http://www.transifex.com/projects/p/owncloud/language/ta_LK/)\n" "MIME-Version: 1.0\n" @@ -39,18 +39,18 @@ msgstr "%s கோப்புறையானது %s உடன் பகிர msgid "%s shared the file %s with you" msgstr "%s கோப்பானது %s உடன் பகிரப்பட்டது" -#: templates/public.php:28 templates/public.php:86 +#: templates/public.php:28 templates/public.php:90 msgid "Download" msgstr "பதிவிறக்குக" -#: templates/public.php:44 +#: templates/public.php:45 templates/public.php:48 msgid "Upload" msgstr "பதிவேற்றுக" -#: templates/public.php:54 +#: templates/public.php:58 msgid "Cancel upload" msgstr "பதிவேற்றலை இரத்து செய்க" -#: templates/public.php:83 +#: templates/public.php:87 msgid "No preview available for" msgstr "அதற்கு முன்னோக்கு ஒன்றும் இல்லை" diff --git a/l10n/ta_LK/files_trashbin.po b/l10n/ta_LK/files_trashbin.po index 3bcff1d04a..1a7902d8ee 100644 --- a/l10n/ta_LK/files_trashbin.po +++ b/l10n/ta_LK/files_trashbin.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: I Robot \n" "Language-Team: Tamil (Sri-Lanka) (http://www.transifex.com/projects/p/owncloud/language/ta_LK/)\n" "MIME-Version: 1.0\n" diff --git a/l10n/ta_LK/lib.po b/l10n/ta_LK/lib.po index 196a015a36..b4f5cc473a 100644 --- a/l10n/ta_LK/lib.po +++ b/l10n/ta_LK/lib.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:13+0000\n" +"POT-Creation-Date: 2013-07-24 01:55-0400\n" +"PO-Revision-Date: 2013-07-24 05:55+0000\n" "Last-Translator: I Robot \n" "Language-Team: Tamil (Sri-Lanka) (http://www.transifex.com/projects/p/owncloud/language/ta_LK/)\n" "MIME-Version: 1.0\n" @@ -41,27 +41,43 @@ msgstr "செயலிகள்" msgid "Admin" msgstr "நிர்வாகம்" -#: defaults.php:33 -msgid "web services under your control" +#: app.php:844 +#, php-format +msgid "Failed to upgrade \"%s\"." msgstr "" -#: files.php:210 +#: defaults.php:33 +msgid "web services under your control" +msgstr "வலைய சேவைகள் உங்களுடைய கட்டுப்பாட்டின் கீழ் உள்ளது" + +#: files.php:66 files.php:98 +#, php-format +msgid "cannot open \"%s\"" +msgstr "" + +#: files.php:226 msgid "ZIP download is turned off." msgstr "வீசொலிப் பூட்டு பதிவிறக்கம் நிறுத்தப்பட்டுள்ளது." -#: files.php:211 +#: files.php:227 msgid "Files need to be downloaded one by one." msgstr "கோப்புகள்ஒன்றன் பின் ஒன்றாக பதிவிறக்கப்படவேண்டும்." -#: files.php:212 files.php:245 +#: files.php:228 files.php:256 msgid "Back to Files" msgstr "கோப்புகளுக்கு செல்க" -#: files.php:242 +#: files.php:253 msgid "Selected files too large to generate zip file." msgstr "வீ சொலிக் கோப்புகளை உருவாக்குவதற்கு தெரிவுசெய்யப்பட்ட கோப்புகள் மிகப்பெரியவை" -#: helper.php:236 +#: files.php:254 +msgid "" +"Download the files in smaller chunks, seperately or kindly ask your " +"administrator." +msgstr "" + +#: helper.php:235 msgid "couldn't be determined" msgstr "" @@ -170,77 +186,81 @@ msgstr "" msgid "PostgreSQL username and/or password not valid" msgstr "" -#: setup.php:42 +#: setup.php:28 msgid "Set an admin username." msgstr "" -#: setup.php:45 +#: setup.php:31 msgid "Set an admin password." msgstr "" -#: setup.php:198 +#: setup.php:184 msgid "" "Your web server is not yet properly setup to allow files synchronization " "because the WebDAV interface seems to be broken." msgstr "" -#: setup.php:199 +#: setup.php:185 #, php-format msgid "Please double check the installation guides." msgstr "" -#: template.php:113 +#: template/functions.php:80 msgid "seconds ago" msgstr "செக்கன்களுக்கு முன்" -#: template.php:114 +#: template/functions.php:81 msgid "1 minute ago" msgstr "1 நிமிடத்திற்கு முன் " -#: template.php:115 +#: template/functions.php:82 #, php-format msgid "%d minutes ago" msgstr "%d நிமிடங்களுக்கு முன்" -#: template.php:116 +#: template/functions.php:83 msgid "1 hour ago" msgstr "1 மணித்தியாலத்திற்கு முன்" -#: template.php:117 +#: template/functions.php:84 #, php-format msgid "%d hours ago" msgstr "%d மணித்தியாலத்திற்கு முன்" -#: template.php:118 +#: template/functions.php:85 msgid "today" msgstr "இன்று" -#: template.php:119 +#: template/functions.php:86 msgid "yesterday" msgstr "நேற்று" -#: template.php:120 +#: template/functions.php:87 #, php-format msgid "%d days ago" msgstr "%d நாட்களுக்கு முன்" -#: template.php:121 +#: template/functions.php:88 msgid "last month" msgstr "கடந்த மாதம்" -#: template.php:122 +#: template/functions.php:89 #, php-format msgid "%d months ago" msgstr "%d மாதத்திற்கு முன்" -#: template.php:123 +#: template/functions.php:90 msgid "last year" msgstr "கடந்த வருடம்" -#: template.php:124 +#: template/functions.php:91 msgid "years ago" msgstr "வருடங்களுக்கு முன்" +#: template.php:296 +msgid "Caused by:" +msgstr "" + #: vcategories.php:188 vcategories.php:249 #, php-format msgid "Could not find category \"%s\"" diff --git a/l10n/ta_LK/settings.po b/l10n/ta_LK/settings.po index a0caf8ebf3..b89d531ed1 100644 --- a/l10n/ta_LK/settings.po +++ b/l10n/ta_LK/settings.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:55+0000\n" "Last-Translator: I Robot \n" "Language-Team: Tamil (Sri-Lanka) (http://www.transifex.com/projects/p/owncloud/language/ta_LK/)\n" "MIME-Version: 1.0\n" @@ -273,62 +273,71 @@ msgstr "" msgid "Allow users to share items to the public with links" msgstr "" -#: templates/admin.php:152 +#: templates/admin.php:153 +msgid "Allow public uploads" +msgstr "" + +#: templates/admin.php:154 +msgid "" +"Allow users to enable others to upload into their publicly shared folders" +msgstr "" + +#: templates/admin.php:162 msgid "Allow resharing" msgstr "" -#: templates/admin.php:153 +#: templates/admin.php:163 msgid "Allow users to share items shared with them again" msgstr "" -#: templates/admin.php:160 +#: templates/admin.php:170 msgid "Allow users to share with anyone" msgstr "" -#: templates/admin.php:163 +#: templates/admin.php:173 msgid "Allow users to only share with users in their groups" msgstr "" -#: templates/admin.php:170 +#: templates/admin.php:180 msgid "Security" msgstr "" -#: templates/admin.php:183 +#: templates/admin.php:193 msgid "Enforce HTTPS" msgstr "" -#: templates/admin.php:184 +#: templates/admin.php:194 msgid "" "Enforces the clients to connect to ownCloud via an encrypted connection." msgstr "" -#: templates/admin.php:187 +#: templates/admin.php:197 msgid "" "Please connect to this ownCloud instance via HTTPS to enable or disable the " "SSL enforcement." msgstr "" -#: templates/admin.php:197 +#: templates/admin.php:207 msgid "Log" msgstr "" -#: templates/admin.php:198 +#: templates/admin.php:208 msgid "Log level" msgstr "" -#: templates/admin.php:229 +#: templates/admin.php:239 msgid "More" msgstr "மேலதிக" -#: templates/admin.php:230 +#: templates/admin.php:240 msgid "Less" msgstr "குறைவான" -#: templates/admin.php:236 templates/personal.php:116 +#: templates/admin.php:246 templates/personal.php:116 msgid "Version" msgstr "" -#: templates/admin.php:240 templates/personal.php:119 +#: templates/admin.php:250 templates/personal.php:119 msgid "" "Developed by the ownCloud community, the access your Files via WebDAV" msgstr "" #: templates/users.php:21 diff --git a/l10n/ta_LK/user_ldap.po b/l10n/ta_LK/user_ldap.po index 14b0e2b0f7..05e4d22ebd 100644 --- a/l10n/ta_LK/user_ldap.po +++ b/l10n/ta_LK/user_ldap.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: I Robot \n" "Language-Team: Tamil (Sri-Lanka) (http://www.transifex.com/projects/p/owncloud/language/ta_LK/)\n" "MIME-Version: 1.0\n" diff --git a/l10n/te/core.po b/l10n/te/core.po index 1048ece86e..6951fdf8fa 100644 --- a/l10n/te/core.po +++ b/l10n/te/core.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:12+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:04+0000\n" "Last-Translator: I Robot \n" "Language-Team: Telugu (http://www.transifex.com/projects/p/owncloud/language/te/)\n" "MIME-Version: 1.0\n" @@ -137,59 +137,59 @@ msgstr "నవంబర్" msgid "December" msgstr "డిసెంబర్" -#: js/js.js:289 +#: js/js.js:293 msgid "Settings" msgstr "అమరికలు" -#: js/js.js:721 +#: js/js.js:715 msgid "seconds ago" msgstr "క్షణాల క్రితం" -#: js/js.js:722 +#: js/js.js:716 msgid "1 minute ago" msgstr "1 నిమిషం క్రితం" -#: js/js.js:723 +#: js/js.js:717 msgid "{minutes} minutes ago" msgstr "{minutes} నిమిషాల క్రితం" -#: js/js.js:724 +#: js/js.js:718 msgid "1 hour ago" msgstr "1 గంట క్రితం" -#: js/js.js:725 +#: js/js.js:719 msgid "{hours} hours ago" msgstr "{hours} గంటల క్రితం" -#: js/js.js:726 +#: js/js.js:720 msgid "today" msgstr "ఈరోజు" -#: js/js.js:727 +#: js/js.js:721 msgid "yesterday" msgstr "నిన్న" -#: js/js.js:728 +#: js/js.js:722 msgid "{days} days ago" msgstr "{days} రోజుల క్రితం" -#: js/js.js:729 +#: js/js.js:723 msgid "last month" msgstr "పోయిన నెల" -#: js/js.js:730 +#: js/js.js:724 msgid "{months} months ago" msgstr "{months} నెలల క్రితం" -#: js/js.js:731 +#: js/js.js:725 msgid "months ago" msgstr "నెలల క్రితం" -#: js/js.js:732 +#: js/js.js:726 msgid "last year" msgstr "పోయిన సంవత్సరం" -#: js/js.js:733 +#: js/js.js:727 msgid "years ago" msgstr "సంవత్సరాల క్రితం" @@ -225,8 +225,8 @@ msgstr "" #: js/oc-vcategories.js:14 js/oc-vcategories.js:80 js/oc-vcategories.js:95 #: js/oc-vcategories.js:110 js/oc-vcategories.js:125 js/oc-vcategories.js:136 #: js/oc-vcategories.js:172 js/oc-vcategories.js:189 js/oc-vcategories.js:195 -#: js/oc-vcategories.js:199 js/share.js:136 js/share.js:143 js/share.js:618 -#: js/share.js:630 +#: js/oc-vcategories.js:199 js/share.js:136 js/share.js:143 js/share.js:625 +#: js/share.js:637 msgid "Error" msgstr "పొరపాటు" @@ -246,7 +246,7 @@ msgstr "" msgid "Share" msgstr "" -#: js/share.js:125 js/share.js:658 +#: js/share.js:125 js/share.js:665 msgid "Error while sharing" msgstr "" @@ -266,114 +266,114 @@ msgstr "" msgid "Shared with you by {owner}" msgstr "" -#: js/share.js:172 +#: js/share.js:177 msgid "Share with" msgstr "" -#: js/share.js:177 +#: js/share.js:182 msgid "Share with link" msgstr "" -#: js/share.js:180 +#: js/share.js:185 msgid "Password protect" msgstr "" -#: js/share.js:182 templates/installation.php:54 templates/login.php:26 +#: js/share.js:187 templates/installation.php:54 templates/login.php:26 msgid "Password" msgstr "సంకేతపదం" -#: js/share.js:186 +#: js/share.js:192 msgid "Allow Public Upload" msgstr "" -#: js/share.js:189 +#: js/share.js:196 msgid "Email link to person" msgstr "" -#: js/share.js:190 +#: js/share.js:197 msgid "Send" msgstr "పంపించు" -#: js/share.js:195 +#: js/share.js:202 msgid "Set expiration date" msgstr "" -#: js/share.js:196 +#: js/share.js:203 msgid "Expiration date" msgstr "కాలం చెల్లు తేదీ" -#: js/share.js:228 +#: js/share.js:235 msgid "Share via email:" msgstr "" -#: js/share.js:230 +#: js/share.js:237 msgid "No people found" msgstr "" -#: js/share.js:268 +#: js/share.js:275 msgid "Resharing is not allowed" msgstr "" -#: js/share.js:304 +#: js/share.js:311 msgid "Shared in {item} with {user}" msgstr "" -#: js/share.js:325 +#: js/share.js:332 msgid "Unshare" msgstr "" -#: js/share.js:337 +#: js/share.js:344 msgid "can edit" msgstr "" -#: js/share.js:339 +#: js/share.js:346 msgid "access control" msgstr "" -#: js/share.js:342 +#: js/share.js:349 msgid "create" msgstr "" -#: js/share.js:345 +#: js/share.js:352 msgid "update" msgstr "" -#: js/share.js:348 +#: js/share.js:355 msgid "delete" msgstr "తొలగించు" -#: js/share.js:351 +#: js/share.js:358 msgid "share" msgstr "" -#: js/share.js:385 js/share.js:605 +#: js/share.js:392 js/share.js:612 msgid "Password protected" msgstr "" -#: js/share.js:618 +#: js/share.js:625 msgid "Error unsetting expiration date" msgstr "" -#: js/share.js:630 +#: js/share.js:637 msgid "Error setting expiration date" msgstr "" -#: js/share.js:645 +#: js/share.js:652 msgid "Sending ..." msgstr "" -#: js/share.js:656 +#: js/share.js:663 msgid "Email sent" msgstr "" -#: js/update.js:14 +#: js/update.js:17 msgid "" "The update was unsuccessful. Please report this issue to the ownCloud " "community." msgstr "" -#: js/update.js:18 +#: js/update.js:21 msgid "The update was successful. Redirecting you to ownCloud now." msgstr "" @@ -465,7 +465,7 @@ msgstr "" msgid "Cloud not found" msgstr "" -#: templates/altmail.php:2 +#: templates/altmail.php:4 #, php-format msgid "" "Hey there,\n" @@ -476,10 +476,6 @@ msgid "" "Cheers!" msgstr "" -#: templates/altmail.php:7 templates/mail.php:24 -msgid "web services under your control" -msgstr "" - #: templates/edit_categories_dialog.php:4 msgid "Edit categories" msgstr "" @@ -611,7 +607,7 @@ msgstr "" msgid "Alternative Logins" msgstr "" -#: templates/mail.php:15 +#: templates/mail.php:16 #, php-format msgid "" "Hey there,

    just letting you know that %s shared »%s« with you.
    \n" "Language-Team: Telugu (http://www.transifex.com/projects/p/owncloud/language/te/)\n" "MIME-Version: 1.0\n" @@ -27,54 +27,54 @@ msgstr "" msgid "Could not move %s" msgstr "" -#: ajax/upload.php:16 ajax/upload.php:39 +#: ajax/upload.php:16 ajax/upload.php:45 msgid "Unable to set upload directory." msgstr "" -#: ajax/upload.php:23 +#: ajax/upload.php:22 msgid "Invalid Token" msgstr "" -#: ajax/upload.php:55 +#: ajax/upload.php:59 msgid "No file was uploaded. Unknown error" msgstr "" -#: ajax/upload.php:62 +#: ajax/upload.php:66 msgid "There is no error, the file uploaded with success" msgstr "" -#: ajax/upload.php:63 +#: ajax/upload.php:67 msgid "" "The uploaded file exceeds the upload_max_filesize directive in php.ini: " msgstr "" -#: ajax/upload.php:65 +#: ajax/upload.php:69 msgid "" "The uploaded file exceeds the MAX_FILE_SIZE directive that was specified in " "the HTML form" msgstr "" -#: ajax/upload.php:66 +#: ajax/upload.php:70 msgid "The uploaded file was only partially uploaded" msgstr "" -#: ajax/upload.php:67 +#: ajax/upload.php:71 msgid "No file was uploaded" msgstr "" -#: ajax/upload.php:68 +#: ajax/upload.php:72 msgid "Missing a temporary folder" msgstr "" -#: ajax/upload.php:69 +#: ajax/upload.php:73 msgid "Failed to write to disk" msgstr "" -#: ajax/upload.php:87 +#: ajax/upload.php:91 msgid "Not enough storage available" msgstr "" -#: ajax/upload.php:119 +#: ajax/upload.php:123 msgid "Invalid directory." msgstr "" @@ -128,43 +128,43 @@ msgstr "తొలగించు" msgid "Rename" msgstr "" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:464 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:465 msgid "Pending" msgstr "" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "{new_name} already exists" msgstr "" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "replace" msgstr "" -#: js/filelist.js:302 +#: js/filelist.js:303 msgid "suggest name" msgstr "" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "cancel" msgstr "రద్దుచేయి" -#: js/filelist.js:349 +#: js/filelist.js:350 msgid "replaced {new_name} with {old_name}" msgstr "" -#: js/filelist.js:349 +#: js/filelist.js:350 msgid "undo" msgstr "" -#: js/filelist.js:374 +#: js/filelist.js:375 msgid "perform delete operation" msgstr "" -#: js/filelist.js:456 +#: js/filelist.js:457 msgid "1 file uploading" msgstr "" -#: js/filelist.js:459 js/filelist.js:517 +#: js/filelist.js:460 js/filelist.js:518 msgid "files uploading" msgstr "" @@ -212,19 +212,19 @@ msgstr "పరిమాణం" msgid "Modified" msgstr "" -#: js/files.js:765 +#: js/files.js:763 msgid "1 folder" msgstr "" -#: js/files.js:767 +#: js/files.js:765 msgid "{count} folders" msgstr "" -#: js/files.js:775 +#: js/files.js:773 msgid "1 file" msgstr "" -#: js/files.js:777 +#: js/files.js:775 msgid "{count} files" msgstr "" @@ -327,19 +327,19 @@ msgstr "" msgid "Current scanning" msgstr "" -#: templates/part.list.php:78 +#: templates/part.list.php:74 msgid "directory" msgstr "" -#: templates/part.list.php:80 +#: templates/part.list.php:76 msgid "directories" msgstr "" -#: templates/part.list.php:89 +#: templates/part.list.php:85 msgid "file" msgstr "" -#: templates/part.list.php:91 +#: templates/part.list.php:87 msgid "files" msgstr "" diff --git a/l10n/te/files_external.po b/l10n/te/files_external.po index fbd6a1a4e0..91be85d763 100644 --- a/l10n/te/files_external.po +++ b/l10n/te/files_external.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: I Robot \n" "Language-Team: Telugu (http://www.transifex.com/projects/p/owncloud/language/te/)\n" "MIME-Version: 1.0\n" @@ -37,20 +37,20 @@ msgstr "" msgid "Error configuring Google Drive storage" msgstr "" -#: lib/config.php:431 +#: lib/config.php:447 msgid "" "Warning: \"smbclient\" is not installed. Mounting of CIFS/SMB shares " "is not possible. Please ask your system administrator to install it." msgstr "" -#: lib/config.php:434 +#: lib/config.php:450 msgid "" "Warning: The FTP support in PHP is not enabled or installed. Mounting" " of FTP shares is not possible. Please ask your system administrator to " "install it." msgstr "" -#: lib/config.php:437 +#: lib/config.php:453 msgid "" "Warning: The Curl support in PHP is not enabled or installed. " "Mounting of ownCloud / WebDAV or GoogleDrive is not possible. Please ask " diff --git a/l10n/te/files_trashbin.po b/l10n/te/files_trashbin.po index f2592ebfed..e4b9155b20 100644 --- a/l10n/te/files_trashbin.po +++ b/l10n/te/files_trashbin.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: I Robot \n" "Language-Team: Telugu (http://www.transifex.com/projects/p/owncloud/language/te/)\n" "MIME-Version: 1.0\n" diff --git a/l10n/te/lib.po b/l10n/te/lib.po index 6a93cfc587..5cb1c2bfb6 100644 --- a/l10n/te/lib.po +++ b/l10n/te/lib.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:13+0000\n" +"POT-Creation-Date: 2013-07-24 01:55-0400\n" +"PO-Revision-Date: 2013-07-24 05:55+0000\n" "Last-Translator: I Robot \n" "Language-Team: Telugu (http://www.transifex.com/projects/p/owncloud/language/te/)\n" "MIME-Version: 1.0\n" @@ -41,27 +41,43 @@ msgstr "" msgid "Admin" msgstr "" +#: app.php:844 +#, php-format +msgid "Failed to upgrade \"%s\"." +msgstr "" + #: defaults.php:33 msgid "web services under your control" msgstr "" -#: files.php:210 +#: files.php:66 files.php:98 +#, php-format +msgid "cannot open \"%s\"" +msgstr "" + +#: files.php:226 msgid "ZIP download is turned off." msgstr "" -#: files.php:211 +#: files.php:227 msgid "Files need to be downloaded one by one." msgstr "" -#: files.php:212 files.php:245 +#: files.php:228 files.php:256 msgid "Back to Files" msgstr "" -#: files.php:242 +#: files.php:253 msgid "Selected files too large to generate zip file." msgstr "" -#: helper.php:236 +#: files.php:254 +msgid "" +"Download the files in smaller chunks, seperately or kindly ask your " +"administrator." +msgstr "" + +#: helper.php:235 msgid "couldn't be determined" msgstr "" @@ -170,77 +186,81 @@ msgstr "" msgid "PostgreSQL username and/or password not valid" msgstr "" -#: setup.php:42 +#: setup.php:28 msgid "Set an admin username." msgstr "" -#: setup.php:45 +#: setup.php:31 msgid "Set an admin password." msgstr "" -#: setup.php:198 +#: setup.php:184 msgid "" "Your web server is not yet properly setup to allow files synchronization " "because the WebDAV interface seems to be broken." msgstr "" -#: setup.php:199 +#: setup.php:185 #, php-format msgid "Please double check the installation guides." msgstr "" -#: template.php:113 +#: template/functions.php:80 msgid "seconds ago" msgstr "క్షణాల క్రితం" -#: template.php:114 +#: template/functions.php:81 msgid "1 minute ago" msgstr "1 నిమిషం క్రితం" -#: template.php:115 +#: template/functions.php:82 #, php-format msgid "%d minutes ago" msgstr "" -#: template.php:116 +#: template/functions.php:83 msgid "1 hour ago" msgstr "1 గంట క్రితం" -#: template.php:117 +#: template/functions.php:84 #, php-format msgid "%d hours ago" msgstr "" -#: template.php:118 +#: template/functions.php:85 msgid "today" msgstr "ఈరోజు" -#: template.php:119 +#: template/functions.php:86 msgid "yesterday" msgstr "నిన్న" -#: template.php:120 +#: template/functions.php:87 #, php-format msgid "%d days ago" msgstr "" -#: template.php:121 +#: template/functions.php:88 msgid "last month" msgstr "పోయిన నెల" -#: template.php:122 +#: template/functions.php:89 #, php-format msgid "%d months ago" msgstr "" -#: template.php:123 +#: template/functions.php:90 msgid "last year" msgstr "పోయిన సంవత్సరం" -#: template.php:124 +#: template/functions.php:91 msgid "years ago" msgstr "సంవత్సరాల క్రితం" +#: template.php:296 +msgid "Caused by:" +msgstr "" + #: vcategories.php:188 vcategories.php:249 #, php-format msgid "Could not find category \"%s\"" diff --git a/l10n/te/settings.po b/l10n/te/settings.po index c75cc67f35..0795122978 100644 --- a/l10n/te/settings.po +++ b/l10n/te/settings.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:55+0000\n" "Last-Translator: I Robot \n" "Language-Team: Telugu (http://www.transifex.com/projects/p/owncloud/language/te/)\n" "MIME-Version: 1.0\n" @@ -273,62 +273,71 @@ msgstr "" msgid "Allow users to share items to the public with links" msgstr "" -#: templates/admin.php:152 +#: templates/admin.php:153 +msgid "Allow public uploads" +msgstr "" + +#: templates/admin.php:154 +msgid "" +"Allow users to enable others to upload into their publicly shared folders" +msgstr "" + +#: templates/admin.php:162 msgid "Allow resharing" msgstr "" -#: templates/admin.php:153 +#: templates/admin.php:163 msgid "Allow users to share items shared with them again" msgstr "" -#: templates/admin.php:160 +#: templates/admin.php:170 msgid "Allow users to share with anyone" msgstr "" -#: templates/admin.php:163 +#: templates/admin.php:173 msgid "Allow users to only share with users in their groups" msgstr "" -#: templates/admin.php:170 +#: templates/admin.php:180 msgid "Security" msgstr "" -#: templates/admin.php:183 +#: templates/admin.php:193 msgid "Enforce HTTPS" msgstr "" -#: templates/admin.php:184 +#: templates/admin.php:194 msgid "" "Enforces the clients to connect to ownCloud via an encrypted connection." msgstr "" -#: templates/admin.php:187 +#: templates/admin.php:197 msgid "" "Please connect to this ownCloud instance via HTTPS to enable or disable the " "SSL enforcement." msgstr "" -#: templates/admin.php:197 +#: templates/admin.php:207 msgid "Log" msgstr "" -#: templates/admin.php:198 +#: templates/admin.php:208 msgid "Log level" msgstr "" -#: templates/admin.php:229 +#: templates/admin.php:239 msgid "More" msgstr "మరిన్ని" -#: templates/admin.php:230 +#: templates/admin.php:240 msgid "Less" msgstr "" -#: templates/admin.php:236 templates/personal.php:116 +#: templates/admin.php:246 templates/personal.php:116 msgid "Version" msgstr "" -#: templates/admin.php:240 templates/personal.php:119 +#: templates/admin.php:250 templates/personal.php:119 msgid "" "Developed by the ownCloud community, the access your Files via WebDAV" msgstr "" #: templates/users.php:21 diff --git a/l10n/te/user_ldap.po b/l10n/te/user_ldap.po index eddbf351c6..a9fac3744f 100644 --- a/l10n/te/user_ldap.po +++ b/l10n/te/user_ldap.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: I Robot \n" "Language-Team: Telugu (http://www.transifex.com/projects/p/owncloud/language/te/)\n" "MIME-Version: 1.0\n" diff --git a/l10n/templates/core.pot b/l10n/templates/core.pot index 5b7753ae03..9d3e3ce4c9 100644 --- a/l10n/templates/core.pot +++ b/l10n/templates/core.pot @@ -8,7 +8,7 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud Core 5.0.0\n" "Report-Msgid-Bugs-To: translations@owncloud.org\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" +"POT-Creation-Date: 2013-07-24 01:55-0400\n" "PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" "Last-Translator: FULL NAME \n" "Language-Team: LANGUAGE \n" @@ -137,59 +137,59 @@ msgstr "" msgid "December" msgstr "" -#: js/js.js:289 +#: js/js.js:293 msgid "Settings" msgstr "" -#: js/js.js:721 +#: js/js.js:715 msgid "seconds ago" msgstr "" -#: js/js.js:722 +#: js/js.js:716 msgid "1 minute ago" msgstr "" -#: js/js.js:723 +#: js/js.js:717 msgid "{minutes} minutes ago" msgstr "" -#: js/js.js:724 +#: js/js.js:718 msgid "1 hour ago" msgstr "" -#: js/js.js:725 +#: js/js.js:719 msgid "{hours} hours ago" msgstr "" -#: js/js.js:726 +#: js/js.js:720 msgid "today" msgstr "" -#: js/js.js:727 +#: js/js.js:721 msgid "yesterday" msgstr "" -#: js/js.js:728 +#: js/js.js:722 msgid "{days} days ago" msgstr "" -#: js/js.js:729 +#: js/js.js:723 msgid "last month" msgstr "" -#: js/js.js:730 +#: js/js.js:724 msgid "{months} months ago" msgstr "" -#: js/js.js:731 +#: js/js.js:725 msgid "months ago" msgstr "" -#: js/js.js:732 +#: js/js.js:726 msgid "last year" msgstr "" -#: js/js.js:733 +#: js/js.js:727 msgid "years ago" msgstr "" @@ -225,8 +225,8 @@ msgstr "" #: js/oc-vcategories.js:14 js/oc-vcategories.js:80 js/oc-vcategories.js:95 #: js/oc-vcategories.js:110 js/oc-vcategories.js:125 js/oc-vcategories.js:136 #: js/oc-vcategories.js:172 js/oc-vcategories.js:189 js/oc-vcategories.js:195 -#: js/oc-vcategories.js:199 js/share.js:136 js/share.js:143 js/share.js:618 -#: js/share.js:630 +#: js/oc-vcategories.js:199 js/share.js:129 js/share.js:142 js/share.js:149 +#: js/share.js:631 js/share.js:643 msgid "Error" msgstr "" @@ -246,134 +246,134 @@ msgstr "" msgid "Share" msgstr "" -#: js/share.js:125 js/share.js:658 +#: js/share.js:131 js/share.js:671 msgid "Error while sharing" msgstr "" -#: js/share.js:136 +#: js/share.js:142 msgid "Error while unsharing" msgstr "" -#: js/share.js:143 +#: js/share.js:149 msgid "Error while changing permissions" msgstr "" -#: js/share.js:152 +#: js/share.js:158 msgid "Shared with you and the group {group} by {owner}" msgstr "" -#: js/share.js:154 +#: js/share.js:160 msgid "Shared with you by {owner}" msgstr "" -#: js/share.js:172 +#: js/share.js:183 msgid "Share with" msgstr "" -#: js/share.js:177 +#: js/share.js:188 msgid "Share with link" msgstr "" -#: js/share.js:180 +#: js/share.js:191 msgid "Password protect" msgstr "" -#: js/share.js:182 templates/installation.php:54 templates/login.php:26 +#: js/share.js:193 templates/installation.php:54 templates/login.php:26 msgid "Password" msgstr "" -#: js/share.js:186 +#: js/share.js:198 msgid "Allow Public Upload" msgstr "" -#: js/share.js:189 +#: js/share.js:202 msgid "Email link to person" msgstr "" -#: js/share.js:190 +#: js/share.js:203 msgid "Send" msgstr "" -#: js/share.js:195 +#: js/share.js:208 msgid "Set expiration date" msgstr "" -#: js/share.js:196 +#: js/share.js:209 msgid "Expiration date" msgstr "" -#: js/share.js:228 +#: js/share.js:241 msgid "Share via email:" msgstr "" -#: js/share.js:230 +#: js/share.js:243 msgid "No people found" msgstr "" -#: js/share.js:268 +#: js/share.js:281 msgid "Resharing is not allowed" msgstr "" -#: js/share.js:304 +#: js/share.js:317 msgid "Shared in {item} with {user}" msgstr "" -#: js/share.js:325 +#: js/share.js:338 msgid "Unshare" msgstr "" -#: js/share.js:337 +#: js/share.js:350 msgid "can edit" msgstr "" -#: js/share.js:339 +#: js/share.js:352 msgid "access control" msgstr "" -#: js/share.js:342 +#: js/share.js:355 msgid "create" msgstr "" -#: js/share.js:345 +#: js/share.js:358 msgid "update" msgstr "" -#: js/share.js:348 +#: js/share.js:361 msgid "delete" msgstr "" -#: js/share.js:351 +#: js/share.js:364 msgid "share" msgstr "" -#: js/share.js:385 js/share.js:605 +#: js/share.js:398 js/share.js:618 msgid "Password protected" msgstr "" -#: js/share.js:618 +#: js/share.js:631 msgid "Error unsetting expiration date" msgstr "" -#: js/share.js:630 +#: js/share.js:643 msgid "Error setting expiration date" msgstr "" -#: js/share.js:645 +#: js/share.js:658 msgid "Sending ..." msgstr "" -#: js/share.js:656 +#: js/share.js:669 msgid "Email sent" msgstr "" -#: js/update.js:14 +#: js/update.js:17 msgid "" "The update was unsuccessful. Please report this issue to the ownCloud " "community." msgstr "" -#: js/update.js:18 +#: js/update.js:21 msgid "The update was successful. Redirecting you to ownCloud now." msgstr "" @@ -465,7 +465,7 @@ msgstr "" msgid "Cloud not found" msgstr "" -#: templates/altmail.php:2 +#: templates/altmail.php:4 #, php-format msgid "" "Hey there,\n" @@ -476,10 +476,6 @@ msgid "" "Cheers!" msgstr "" -#: templates/altmail.php:7 templates/mail.php:24 -msgid "web services under your control" -msgstr "" - #: templates/edit_categories_dialog.php:4 msgid "Edit categories" msgstr "" @@ -611,7 +607,7 @@ msgstr "" msgid "Alternative Logins" msgstr "" -#: templates/mail.php:15 +#: templates/mail.php:16 #, php-format msgid "" "Hey there,

    just letting you know that %s shared »%s« with you.
    \n" "Language-Team: LANGUAGE \n" @@ -27,54 +27,54 @@ msgstr "" msgid "Could not move %s" msgstr "" -#: ajax/upload.php:16 ajax/upload.php:39 +#: ajax/upload.php:16 ajax/upload.php:45 msgid "Unable to set upload directory." msgstr "" -#: ajax/upload.php:23 +#: ajax/upload.php:22 msgid "Invalid Token" msgstr "" -#: ajax/upload.php:55 +#: ajax/upload.php:59 msgid "No file was uploaded. Unknown error" msgstr "" -#: ajax/upload.php:62 +#: ajax/upload.php:66 msgid "There is no error, the file uploaded with success" msgstr "" -#: ajax/upload.php:63 +#: ajax/upload.php:67 msgid "" "The uploaded file exceeds the upload_max_filesize directive in php.ini: " msgstr "" -#: ajax/upload.php:65 +#: ajax/upload.php:69 msgid "" "The uploaded file exceeds the MAX_FILE_SIZE directive that was specified in " "the HTML form" msgstr "" -#: ajax/upload.php:66 +#: ajax/upload.php:70 msgid "The uploaded file was only partially uploaded" msgstr "" -#: ajax/upload.php:67 +#: ajax/upload.php:71 msgid "No file was uploaded" msgstr "" -#: ajax/upload.php:68 +#: ajax/upload.php:72 msgid "Missing a temporary folder" msgstr "" -#: ajax/upload.php:69 +#: ajax/upload.php:73 msgid "Failed to write to disk" msgstr "" -#: ajax/upload.php:87 +#: ajax/upload.php:91 msgid "Not enough storage available" msgstr "" -#: ajax/upload.php:119 +#: ajax/upload.php:123 msgid "Invalid directory." msgstr "" @@ -128,43 +128,43 @@ msgstr "" msgid "Rename" msgstr "" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:464 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:465 msgid "Pending" msgstr "" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "{new_name} already exists" msgstr "" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "replace" msgstr "" -#: js/filelist.js:302 +#: js/filelist.js:303 msgid "suggest name" msgstr "" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "cancel" msgstr "" -#: js/filelist.js:349 +#: js/filelist.js:350 msgid "replaced {new_name} with {old_name}" msgstr "" -#: js/filelist.js:349 +#: js/filelist.js:350 msgid "undo" msgstr "" -#: js/filelist.js:374 +#: js/filelist.js:375 msgid "perform delete operation" msgstr "" -#: js/filelist.js:456 +#: js/filelist.js:457 msgid "1 file uploading" msgstr "" -#: js/filelist.js:459 js/filelist.js:517 +#: js/filelist.js:460 js/filelist.js:518 msgid "files uploading" msgstr "" @@ -212,19 +212,19 @@ msgstr "" msgid "Modified" msgstr "" -#: js/files.js:765 +#: js/files.js:763 msgid "1 folder" msgstr "" -#: js/files.js:767 +#: js/files.js:765 msgid "{count} folders" msgstr "" -#: js/files.js:775 +#: js/files.js:773 msgid "1 file" msgstr "" -#: js/files.js:777 +#: js/files.js:775 msgid "{count} files" msgstr "" @@ -327,19 +327,19 @@ msgstr "" msgid "Current scanning" msgstr "" -#: templates/part.list.php:78 +#: templates/part.list.php:74 msgid "directory" msgstr "" -#: templates/part.list.php:80 +#: templates/part.list.php:76 msgid "directories" msgstr "" -#: templates/part.list.php:89 +#: templates/part.list.php:85 msgid "file" msgstr "" -#: templates/part.list.php:91 +#: templates/part.list.php:87 msgid "files" msgstr "" diff --git a/l10n/templates/files_encryption.pot b/l10n/templates/files_encryption.pot index 7c2e959cb1..11f4fd0ffb 100644 --- a/l10n/templates/files_encryption.pot +++ b/l10n/templates/files_encryption.pot @@ -8,7 +8,7 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud Core 5.0.0\n" "Report-Msgid-Bugs-To: translations@owncloud.org\n" -"POT-Creation-Date: 2013-07-05 02:12+0200\n" +"POT-Creation-Date: 2013-07-24 01:55-0400\n" "PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" "Last-Translator: FULL NAME \n" "Language-Team: LANGUAGE \n" diff --git a/l10n/templates/files_external.pot b/l10n/templates/files_external.pot index 113588c54c..2ca2c53177 100644 --- a/l10n/templates/files_external.pot +++ b/l10n/templates/files_external.pot @@ -8,7 +8,7 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud Core 5.0.0\n" "Report-Msgid-Bugs-To: translations@owncloud.org\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" +"POT-Creation-Date: 2013-07-24 01:55-0400\n" "PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" "Last-Translator: FULL NAME \n" "Language-Team: LANGUAGE \n" @@ -17,7 +17,7 @@ msgstr "" "Content-Type: text/plain; charset=CHARSET\n" "Content-Transfer-Encoding: 8bit\n" -#: js/dropbox.js:7 js/dropbox.js:28 js/google.js:16 js/google.js:34 +#: js/dropbox.js:7 js/dropbox.js:28 js/google.js:8 js/google.js:39 msgid "Access granted" msgstr "" @@ -25,7 +25,7 @@ msgstr "" msgid "Error configuring Dropbox storage" msgstr "" -#: js/dropbox.js:65 js/google.js:66 +#: js/dropbox.js:65 js/google.js:86 msgid "Grant access" msgstr "" @@ -33,24 +33,24 @@ msgstr "" msgid "Please provide a valid Dropbox app key and secret." msgstr "" -#: js/google.js:36 js/google.js:93 +#: js/google.js:42 js/google.js:121 msgid "Error configuring Google Drive storage" msgstr "" -#: lib/config.php:431 +#: lib/config.php:448 msgid "" "Warning: \"smbclient\" is not installed. Mounting of CIFS/SMB shares " "is not possible. Please ask your system administrator to install it." msgstr "" -#: lib/config.php:434 +#: lib/config.php:451 msgid "" "Warning: The FTP support in PHP is not enabled or installed. Mounting " "of FTP shares is not possible. Please ask your system administrator to " "install it." msgstr "" -#: lib/config.php:437 +#: lib/config.php:454 msgid "" "Warning: The Curl support in PHP is not enabled or installed. " "Mounting of ownCloud / WebDAV or GoogleDrive is not possible. Please ask " diff --git a/l10n/templates/files_sharing.pot b/l10n/templates/files_sharing.pot index d2160e952e..112dd50e74 100644 --- a/l10n/templates/files_sharing.pot +++ b/l10n/templates/files_sharing.pot @@ -8,7 +8,7 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud Core 5.0.0\n" "Report-Msgid-Bugs-To: translations@owncloud.org\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" +"POT-Creation-Date: 2013-07-24 01:55-0400\n" "PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" "Last-Translator: FULL NAME \n" "Language-Team: LANGUAGE \n" @@ -39,18 +39,18 @@ msgstr "" msgid "%s shared the file %s with you" msgstr "" -#: templates/public.php:28 templates/public.php:86 +#: templates/public.php:28 templates/public.php:90 msgid "Download" msgstr "" -#: templates/public.php:44 +#: templates/public.php:45 templates/public.php:48 msgid "Upload" msgstr "" -#: templates/public.php:54 +#: templates/public.php:58 msgid "Cancel upload" msgstr "" -#: templates/public.php:83 +#: templates/public.php:87 msgid "No preview available for" msgstr "" diff --git a/l10n/templates/files_trashbin.pot b/l10n/templates/files_trashbin.pot index 85921f556a..1390d6e380 100644 --- a/l10n/templates/files_trashbin.pot +++ b/l10n/templates/files_trashbin.pot @@ -8,7 +8,7 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud Core 5.0.0\n" "Report-Msgid-Bugs-To: translations@owncloud.org\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" +"POT-Creation-Date: 2013-07-24 01:55-0400\n" "PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" "Last-Translator: FULL NAME \n" "Language-Team: LANGUAGE \n" diff --git a/l10n/templates/files_versions.pot b/l10n/templates/files_versions.pot index e783052228..6b1927af59 100644 --- a/l10n/templates/files_versions.pot +++ b/l10n/templates/files_versions.pot @@ -8,7 +8,7 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud Core 5.0.0\n" "Report-Msgid-Bugs-To: translations@owncloud.org\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" +"POT-Creation-Date: 2013-07-24 01:55-0400\n" "PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" "Last-Translator: FULL NAME \n" "Language-Team: LANGUAGE \n" diff --git a/l10n/templates/lib.pot b/l10n/templates/lib.pot index 6f9cb0e882..37e37e5123 100644 --- a/l10n/templates/lib.pot +++ b/l10n/templates/lib.pot @@ -8,7 +8,7 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud Core 5.0.0\n" "Report-Msgid-Bugs-To: translations@owncloud.org\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" +"POT-Creation-Date: 2013-07-24 01:55-0400\n" "PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" "Last-Translator: FULL NAME \n" "Language-Team: LANGUAGE \n" @@ -41,27 +41,43 @@ msgstr "" msgid "Admin" msgstr "" +#: app.php:844 +#, php-format +msgid "Failed to upgrade \"%s\"." +msgstr "" + #: defaults.php:33 msgid "web services under your control" msgstr "" -#: files.php:210 +#: files.php:66 files.php:98 +#, php-format +msgid "cannot open \"%s\"" +msgstr "" + +#: files.php:226 msgid "ZIP download is turned off." msgstr "" -#: files.php:211 +#: files.php:227 msgid "Files need to be downloaded one by one." msgstr "" -#: files.php:212 files.php:245 +#: files.php:228 files.php:256 msgid "Back to Files" msgstr "" -#: files.php:242 +#: files.php:253 msgid "Selected files too large to generate zip file." msgstr "" -#: helper.php:236 +#: files.php:254 +msgid "" +"Download the files in smaller chunks, seperately or kindly ask your " +"administrator." +msgstr "" + +#: helper.php:235 msgid "couldn't be determined" msgstr "" @@ -170,77 +186,81 @@ msgstr "" msgid "PostgreSQL username and/or password not valid" msgstr "" -#: setup.php:42 +#: setup.php:28 msgid "Set an admin username." msgstr "" -#: setup.php:45 +#: setup.php:31 msgid "Set an admin password." msgstr "" -#: setup.php:198 +#: setup.php:184 msgid "" "Your web server is not yet properly setup to allow files synchronization " "because the WebDAV interface seems to be broken." msgstr "" -#: setup.php:199 +#: setup.php:185 #, php-format msgid "Please double check the installation guides." msgstr "" -#: template.php:113 +#: template/functions.php:80 msgid "seconds ago" msgstr "" -#: template.php:114 +#: template/functions.php:81 msgid "1 minute ago" msgstr "" -#: template.php:115 +#: template/functions.php:82 #, php-format msgid "%d minutes ago" msgstr "" -#: template.php:116 +#: template/functions.php:83 msgid "1 hour ago" msgstr "" -#: template.php:117 +#: template/functions.php:84 #, php-format msgid "%d hours ago" msgstr "" -#: template.php:118 +#: template/functions.php:85 msgid "today" msgstr "" -#: template.php:119 +#: template/functions.php:86 msgid "yesterday" msgstr "" -#: template.php:120 +#: template/functions.php:87 #, php-format msgid "%d days ago" msgstr "" -#: template.php:121 +#: template/functions.php:88 msgid "last month" msgstr "" -#: template.php:122 +#: template/functions.php:89 #, php-format msgid "%d months ago" msgstr "" -#: template.php:123 +#: template/functions.php:90 msgid "last year" msgstr "" -#: template.php:124 +#: template/functions.php:91 msgid "years ago" msgstr "" +#: template.php:296 +msgid "Caused by:" +msgstr "" + #: vcategories.php:188 vcategories.php:249 #, php-format msgid "Could not find category \"%s\"" diff --git a/l10n/templates/settings.pot b/l10n/templates/settings.pot index c044d3dd08..9e3f34d398 100644 --- a/l10n/templates/settings.pot +++ b/l10n/templates/settings.pot @@ -8,7 +8,7 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud Core 5.0.0\n" "Report-Msgid-Bugs-To: translations@owncloud.org\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" +"POT-Creation-Date: 2013-07-24 01:55-0400\n" "PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" "Last-Translator: FULL NAME \n" "Language-Team: LANGUAGE \n" @@ -273,62 +273,71 @@ msgstr "" msgid "Allow users to share items to the public with links" msgstr "" -#: templates/admin.php:152 +#: templates/admin.php:153 +msgid "Allow public uploads" +msgstr "" + +#: templates/admin.php:154 +msgid "" +"Allow users to enable others to upload into their publicly shared folders" +msgstr "" + +#: templates/admin.php:162 msgid "Allow resharing" msgstr "" -#: templates/admin.php:153 +#: templates/admin.php:163 msgid "Allow users to share items shared with them again" msgstr "" -#: templates/admin.php:160 +#: templates/admin.php:170 msgid "Allow users to share with anyone" msgstr "" -#: templates/admin.php:163 +#: templates/admin.php:173 msgid "Allow users to only share with users in their groups" msgstr "" -#: templates/admin.php:170 +#: templates/admin.php:180 msgid "Security" msgstr "" -#: templates/admin.php:183 +#: templates/admin.php:193 msgid "Enforce HTTPS" msgstr "" -#: templates/admin.php:184 +#: templates/admin.php:194 msgid "" "Enforces the clients to connect to ownCloud via an encrypted connection." msgstr "" -#: templates/admin.php:187 +#: templates/admin.php:197 msgid "" "Please connect to this ownCloud instance via HTTPS to enable or disable the " "SSL enforcement." msgstr "" -#: templates/admin.php:197 +#: templates/admin.php:207 msgid "Log" msgstr "" -#: templates/admin.php:198 +#: templates/admin.php:208 msgid "Log level" msgstr "" -#: templates/admin.php:229 +#: templates/admin.php:239 msgid "More" msgstr "" -#: templates/admin.php:230 +#: templates/admin.php:240 msgid "Less" msgstr "" -#: templates/admin.php:236 templates/personal.php:116 +#: templates/admin.php:246 templates/personal.php:116 msgid "Version" msgstr "" -#: templates/admin.php:240 templates/personal.php:119 +#: templates/admin.php:250 templates/personal.php:119 msgid "" "Developed by the ownCloud community, the access your Files via WebDAV" msgstr "" #: templates/users.php:21 diff --git a/l10n/templates/user_ldap.pot b/l10n/templates/user_ldap.pot index 1dfa258a2a..89c2588163 100644 --- a/l10n/templates/user_ldap.pot +++ b/l10n/templates/user_ldap.pot @@ -8,7 +8,7 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud Core 5.0.0\n" "Report-Msgid-Bugs-To: translations@owncloud.org\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" +"POT-Creation-Date: 2013-07-24 01:55-0400\n" "PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" "Last-Translator: FULL NAME \n" "Language-Team: LANGUAGE \n" diff --git a/l10n/templates/user_webdavauth.pot b/l10n/templates/user_webdavauth.pot index b28542fa64..f52eb6ca71 100644 --- a/l10n/templates/user_webdavauth.pot +++ b/l10n/templates/user_webdavauth.pot @@ -8,7 +8,7 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud Core 5.0.0\n" "Report-Msgid-Bugs-To: translations@owncloud.org\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" +"POT-Creation-Date: 2013-07-24 01:55-0400\n" "PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" "Last-Translator: FULL NAME \n" "Language-Team: LANGUAGE \n" diff --git a/l10n/th_TH/core.po b/l10n/th_TH/core.po index d2a6768c92..14735cc1a1 100644 --- a/l10n/th_TH/core.po +++ b/l10n/th_TH/core.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:12+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:04+0000\n" "Last-Translator: I Robot \n" "Language-Team: Thai (Thailand) (http://www.transifex.com/projects/p/owncloud/language/th_TH/)\n" "MIME-Version: 1.0\n" @@ -137,59 +137,59 @@ msgstr "พฤศจิกายน" msgid "December" msgstr "ธันวาคม" -#: js/js.js:289 +#: js/js.js:293 msgid "Settings" msgstr "ตั้งค่า" -#: js/js.js:721 +#: js/js.js:715 msgid "seconds ago" msgstr "วินาที ก่อนหน้านี้" -#: js/js.js:722 +#: js/js.js:716 msgid "1 minute ago" msgstr "1 นาทีก่อนหน้านี้" -#: js/js.js:723 +#: js/js.js:717 msgid "{minutes} minutes ago" msgstr "{minutes} นาทีก่อนหน้านี้" -#: js/js.js:724 +#: js/js.js:718 msgid "1 hour ago" msgstr "1 ชั่วโมงก่อนหน้านี้" -#: js/js.js:725 +#: js/js.js:719 msgid "{hours} hours ago" msgstr "{hours} ชั่วโมงก่อนหน้านี้" -#: js/js.js:726 +#: js/js.js:720 msgid "today" msgstr "วันนี้" -#: js/js.js:727 +#: js/js.js:721 msgid "yesterday" msgstr "เมื่อวานนี้" -#: js/js.js:728 +#: js/js.js:722 msgid "{days} days ago" msgstr "{day} วันก่อนหน้านี้" -#: js/js.js:729 +#: js/js.js:723 msgid "last month" msgstr "เดือนที่แล้ว" -#: js/js.js:730 +#: js/js.js:724 msgid "{months} months ago" msgstr "{months} เดือนก่อนหน้านี้" -#: js/js.js:731 +#: js/js.js:725 msgid "months ago" msgstr "เดือน ที่ผ่านมา" -#: js/js.js:732 +#: js/js.js:726 msgid "last year" msgstr "ปีที่แล้ว" -#: js/js.js:733 +#: js/js.js:727 msgid "years ago" msgstr "ปี ที่ผ่านมา" @@ -225,8 +225,8 @@ msgstr "ชนิดของวัตถุยังไม่ได้รับ #: js/oc-vcategories.js:14 js/oc-vcategories.js:80 js/oc-vcategories.js:95 #: js/oc-vcategories.js:110 js/oc-vcategories.js:125 js/oc-vcategories.js:136 #: js/oc-vcategories.js:172 js/oc-vcategories.js:189 js/oc-vcategories.js:195 -#: js/oc-vcategories.js:199 js/share.js:136 js/share.js:143 js/share.js:618 -#: js/share.js:630 +#: js/oc-vcategories.js:199 js/share.js:136 js/share.js:143 js/share.js:625 +#: js/share.js:637 msgid "Error" msgstr "ข้อผิดพลาด" @@ -246,7 +246,7 @@ msgstr "แชร์แล้ว" msgid "Share" msgstr "แชร์" -#: js/share.js:125 js/share.js:658 +#: js/share.js:125 js/share.js:665 msgid "Error while sharing" msgstr "เกิดข้อผิดพลาดในระหว่างการแชร์ข้อมูล" @@ -266,114 +266,114 @@ msgstr "ได้แชร์ให้กับคุณ และกลุ่ msgid "Shared with you by {owner}" msgstr "ถูกแชร์ให้กับคุณโดย {owner}" -#: js/share.js:172 +#: js/share.js:177 msgid "Share with" msgstr "แชร์ให้กับ" -#: js/share.js:177 +#: js/share.js:182 msgid "Share with link" msgstr "แชร์ด้วยลิงก์" -#: js/share.js:180 +#: js/share.js:185 msgid "Password protect" msgstr "ใส่รหัสผ่านไว้" -#: js/share.js:182 templates/installation.php:54 templates/login.php:26 +#: js/share.js:187 templates/installation.php:54 templates/login.php:26 msgid "Password" msgstr "รหัสผ่าน" -#: js/share.js:186 +#: js/share.js:192 msgid "Allow Public Upload" msgstr "" -#: js/share.js:189 +#: js/share.js:196 msgid "Email link to person" msgstr "ส่งลิงก์ให้ทางอีเมล" -#: js/share.js:190 +#: js/share.js:197 msgid "Send" msgstr "ส่ง" -#: js/share.js:195 +#: js/share.js:202 msgid "Set expiration date" msgstr "กำหนดวันที่หมดอายุ" -#: js/share.js:196 +#: js/share.js:203 msgid "Expiration date" msgstr "วันที่หมดอายุ" -#: js/share.js:228 +#: js/share.js:235 msgid "Share via email:" msgstr "แชร์ผ่านทางอีเมล" -#: js/share.js:230 +#: js/share.js:237 msgid "No people found" msgstr "ไม่พบบุคคลที่ต้องการ" -#: js/share.js:268 +#: js/share.js:275 msgid "Resharing is not allowed" msgstr "ไม่อนุญาตให้แชร์ข้อมูลซ้ำได้" -#: js/share.js:304 +#: js/share.js:311 msgid "Shared in {item} with {user}" msgstr "ได้แชร์ {item} ให้กับ {user}" -#: js/share.js:325 +#: js/share.js:332 msgid "Unshare" msgstr "ยกเลิกการแชร์" -#: js/share.js:337 +#: js/share.js:344 msgid "can edit" msgstr "สามารถแก้ไข" -#: js/share.js:339 +#: js/share.js:346 msgid "access control" msgstr "ระดับควบคุมการเข้าใช้งาน" -#: js/share.js:342 +#: js/share.js:349 msgid "create" msgstr "สร้าง" -#: js/share.js:345 +#: js/share.js:352 msgid "update" msgstr "อัพเดท" -#: js/share.js:348 +#: js/share.js:355 msgid "delete" msgstr "ลบ" -#: js/share.js:351 +#: js/share.js:358 msgid "share" msgstr "แชร์" -#: js/share.js:385 js/share.js:605 +#: js/share.js:392 js/share.js:612 msgid "Password protected" msgstr "ใส่รหัสผ่านไว้" -#: js/share.js:618 +#: js/share.js:625 msgid "Error unsetting expiration date" msgstr "เกิดข้อผิดพลาดในการยกเลิกการตั้งค่าวันที่หมดอายุ" -#: js/share.js:630 +#: js/share.js:637 msgid "Error setting expiration date" msgstr "เกิดข้อผิดพลาดในการตั้งค่าวันที่หมดอายุ" -#: js/share.js:645 +#: js/share.js:652 msgid "Sending ..." msgstr "กำลังส่ง..." -#: js/share.js:656 +#: js/share.js:663 msgid "Email sent" msgstr "ส่งอีเมล์แล้ว" -#: js/update.js:14 +#: js/update.js:17 msgid "" "The update was unsuccessful. Please report this issue to the ownCloud " "community." msgstr "การอัพเดทไม่เป็นผลสำเร็จ กรุณาแจ้งปัญหาที่เกิดขึ้นไปยัง คอมมูนิตี้ผู้ใช้งาน ownCloud" -#: js/update.js:18 +#: js/update.js:21 msgid "The update was successful. Redirecting you to ownCloud now." msgstr "การอัพเดทเสร็จเรียบร้อยแล้ว กำลังเปลี่ยนเส้นทางไปที่ ownCloud อยู่ในขณะนี้" @@ -465,7 +465,7 @@ msgstr "การเข้าถึงถูกหวงห้าม" msgid "Cloud not found" msgstr "ไม่พบ Cloud" -#: templates/altmail.php:2 +#: templates/altmail.php:4 #, php-format msgid "" "Hey there,\n" @@ -476,10 +476,6 @@ msgid "" "Cheers!" msgstr "" -#: templates/altmail.php:7 templates/mail.php:24 -msgid "web services under your control" -msgstr "เว็บเซอร์วิสที่คุณควบคุมการใช้งานได้" - #: templates/edit_categories_dialog.php:4 msgid "Edit categories" msgstr "แก้ไขหมวดหมู่" @@ -611,7 +607,7 @@ msgstr "เข้าสู่ระบบ" msgid "Alternative Logins" msgstr "" -#: templates/mail.php:15 +#: templates/mail.php:16 #, php-format msgid "" "Hey there,

    just letting you know that %s shared »%s« with you.
    \n" "Language-Team: Thai (Thailand) (http://www.transifex.com/projects/p/owncloud/language/th_TH/)\n" "MIME-Version: 1.0\n" @@ -27,54 +27,54 @@ msgstr "ไม่สามารถย้าย %s ได้ - ไฟล์ท msgid "Could not move %s" msgstr "ไม่สามารถย้าย %s ได้" -#: ajax/upload.php:16 ajax/upload.php:39 +#: ajax/upload.php:16 ajax/upload.php:45 msgid "Unable to set upload directory." msgstr "" -#: ajax/upload.php:23 +#: ajax/upload.php:22 msgid "Invalid Token" msgstr "" -#: ajax/upload.php:55 +#: ajax/upload.php:59 msgid "No file was uploaded. Unknown error" msgstr "ยังไม่มีไฟล์ใดที่ถูกอัพโหลด เกิดข้อผิดพลาดที่ไม่ทราบสาเหตุ" -#: ajax/upload.php:62 +#: ajax/upload.php:66 msgid "There is no error, the file uploaded with success" msgstr "ไม่พบข้อผิดพลาดใดๆ, ไฟล์ถูกอัพโหลดเรียบร้อยแล้ว" -#: ajax/upload.php:63 +#: ajax/upload.php:67 msgid "" "The uploaded file exceeds the upload_max_filesize directive in php.ini: " msgstr "ขนาดไฟล์ที่อัพโหลดมีขนาดเกิน upload_max_filesize ที่ระบุไว้ใน php.ini" -#: ajax/upload.php:65 +#: ajax/upload.php:69 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:66 +#: ajax/upload.php:70 msgid "The uploaded file was only partially uploaded" msgstr "ไฟล์ถูกอัพโหลดได้เพียงบางส่วนเท่านั้น" -#: ajax/upload.php:67 +#: ajax/upload.php:71 msgid "No file was uploaded" msgstr "ไม่มีไฟล์ที่ถูกอัพโหลด" -#: ajax/upload.php:68 +#: ajax/upload.php:72 msgid "Missing a temporary folder" msgstr "โฟลเดอร์ชั่วคราวเกิดการสูญหาย" -#: ajax/upload.php:69 +#: ajax/upload.php:73 msgid "Failed to write to disk" msgstr "เขียนข้อมูลลงแผ่นดิสก์ล้มเหลว" -#: ajax/upload.php:87 +#: ajax/upload.php:91 msgid "Not enough storage available" msgstr "เหลือพื้นที่ไม่เพียงสำหรับใช้งาน" -#: ajax/upload.php:119 +#: ajax/upload.php:123 msgid "Invalid directory." msgstr "ไดเร็กทอรี่ไม่ถูกต้อง" @@ -128,43 +128,43 @@ msgstr "ลบ" msgid "Rename" msgstr "เปลี่ยนชื่อ" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:464 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:465 msgid "Pending" msgstr "อยู่ระหว่างดำเนินการ" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "{new_name} already exists" msgstr "{new_name} มีอยู่แล้วในระบบ" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "replace" msgstr "แทนที่" -#: js/filelist.js:302 +#: js/filelist.js:303 msgid "suggest name" msgstr "แนะนำชื่อ" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "cancel" msgstr "ยกเลิก" -#: js/filelist.js:349 +#: js/filelist.js:350 msgid "replaced {new_name} with {old_name}" msgstr "แทนที่ {new_name} ด้วย {old_name} แล้ว" -#: js/filelist.js:349 +#: js/filelist.js:350 msgid "undo" msgstr "เลิกทำ" -#: js/filelist.js:374 +#: js/filelist.js:375 msgid "perform delete operation" msgstr "ดำเนินการตามคำสั่งลบ" -#: js/filelist.js:456 +#: js/filelist.js:457 msgid "1 file uploading" msgstr "กำลังอัพโหลดไฟล์ 1 ไฟล์" -#: js/filelist.js:459 js/filelist.js:517 +#: js/filelist.js:460 js/filelist.js:518 msgid "files uploading" msgstr "การอัพโหลดไฟล์" @@ -212,19 +212,19 @@ msgstr "ขนาด" msgid "Modified" msgstr "แก้ไขแล้ว" -#: js/files.js:765 +#: js/files.js:763 msgid "1 folder" msgstr "1 โฟลเดอร์" -#: js/files.js:767 +#: js/files.js:765 msgid "{count} folders" msgstr "{count} โฟลเดอร์" -#: js/files.js:775 +#: js/files.js:773 msgid "1 file" msgstr "1 ไฟล์" -#: js/files.js:777 +#: js/files.js:775 msgid "{count} files" msgstr "{count} ไฟล์" @@ -327,19 +327,19 @@ msgstr "ไฟล์กำลังอยู่ระหว่างการส msgid "Current scanning" msgstr "ไฟล์ที่กำลังสแกนอยู่ขณะนี้" -#: templates/part.list.php:78 +#: templates/part.list.php:74 msgid "directory" msgstr "" -#: templates/part.list.php:80 +#: templates/part.list.php:76 msgid "directories" msgstr "" -#: templates/part.list.php:89 +#: templates/part.list.php:85 msgid "file" msgstr "ไฟล์" -#: templates/part.list.php:91 +#: templates/part.list.php:87 msgid "files" msgstr "ไฟล์" diff --git a/l10n/th_TH/files_external.po b/l10n/th_TH/files_external.po index ac88dabf36..3036782c91 100644 --- a/l10n/th_TH/files_external.po +++ b/l10n/th_TH/files_external.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: I Robot \n" "Language-Team: Thai (Thailand) (http://www.transifex.com/projects/p/owncloud/language/th_TH/)\n" "MIME-Version: 1.0\n" @@ -37,20 +37,20 @@ msgstr "กรุณากรอกรหัส app key ของ Dropbox แล msgid "Error configuring Google Drive storage" msgstr "เกิดข้อผิดพลาดในการกำหนดค่าการจัดเก็บข้อมูลในพื้นที่ของ Google Drive" -#: lib/config.php:431 +#: lib/config.php:447 msgid "" "Warning: \"smbclient\" is not installed. Mounting of CIFS/SMB shares " "is not possible. Please ask your system administrator to install it." msgstr "คำเตือน: \"smbclient\" ยังไม่ได้ถูกติดตั้ง. การชี้ CIFS/SMB เพื่อแชร์ข้อมูลไม่สามารถกระทำได้ กรุณาสอบถามข้อมูลเพิ่มเติมจากผู้ดูแลระบบเพื่อติดตั้ง." -#: lib/config.php:434 +#: lib/config.php:450 msgid "" "Warning: The FTP support in PHP is not enabled or installed. Mounting" " of FTP shares is not possible. Please ask your system administrator to " "install it." msgstr "คำเตือน: การสนับสนุนการใช้งาน FTP ในภาษา PHP ยังไม่ได้ถูกเปิดใช้งานหรือถูกติดตั้ง. การชี้ FTP เพื่อแชร์ข้อมูลไม่สามารถดำเนินการได้ กรุณาสอบถามข้อมูลเพิ่มเติมจากผู้ดูแลระบบเพื่อติดตั้ง" -#: lib/config.php:437 +#: lib/config.php:453 msgid "" "Warning: The Curl support in PHP is not enabled or installed. " "Mounting of ownCloud / WebDAV or GoogleDrive is not possible. Please ask " diff --git a/l10n/th_TH/files_sharing.po b/l10n/th_TH/files_sharing.po index deecf03ec8..74b76cfb8c 100644 --- a/l10n/th_TH/files_sharing.po +++ b/l10n/th_TH/files_sharing.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:13+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: I Robot \n" "Language-Team: Thai (Thailand) (http://www.transifex.com/projects/p/owncloud/language/th_TH/)\n" "MIME-Version: 1.0\n" @@ -39,18 +39,18 @@ msgstr "%s ได้แชร์โฟลเดอร์ %s ให้กับ msgid "%s shared the file %s with you" msgstr "%s ได้แชร์ไฟล์ %s ให้กับคุณ" -#: templates/public.php:28 templates/public.php:86 +#: templates/public.php:28 templates/public.php:90 msgid "Download" msgstr "ดาวน์โหลด" -#: templates/public.php:44 +#: templates/public.php:45 templates/public.php:48 msgid "Upload" msgstr "อัพโหลด" -#: templates/public.php:54 +#: templates/public.php:58 msgid "Cancel upload" msgstr "ยกเลิกการอัพโหลด" -#: templates/public.php:83 +#: templates/public.php:87 msgid "No preview available for" msgstr "ไม่สามารถดูตัวอย่างได้สำหรับ" diff --git a/l10n/th_TH/files_trashbin.po b/l10n/th_TH/files_trashbin.po index 4310b4de2a..53c7986b5f 100644 --- a/l10n/th_TH/files_trashbin.po +++ b/l10n/th_TH/files_trashbin.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: I Robot \n" "Language-Team: Thai (Thailand) (http://www.transifex.com/projects/p/owncloud/language/th_TH/)\n" "MIME-Version: 1.0\n" diff --git a/l10n/th_TH/lib.po b/l10n/th_TH/lib.po index cb180e5463..a12613c722 100644 --- a/l10n/th_TH/lib.po +++ b/l10n/th_TH/lib.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:13+0000\n" +"POT-Creation-Date: 2013-07-24 01:55-0400\n" +"PO-Revision-Date: 2013-07-24 05:55+0000\n" "Last-Translator: I Robot \n" "Language-Team: Thai (Thailand) (http://www.transifex.com/projects/p/owncloud/language/th_TH/)\n" "MIME-Version: 1.0\n" @@ -41,27 +41,43 @@ msgstr "แอปฯ" msgid "Admin" msgstr "ผู้ดูแล" -#: defaults.php:33 -msgid "web services under your control" +#: app.php:844 +#, php-format +msgid "Failed to upgrade \"%s\"." msgstr "" -#: files.php:210 +#: defaults.php:33 +msgid "web services under your control" +msgstr "เว็บเซอร์วิสที่คุณควบคุมการใช้งานได้" + +#: files.php:66 files.php:98 +#, php-format +msgid "cannot open \"%s\"" +msgstr "" + +#: files.php:226 msgid "ZIP download is turned off." msgstr "คุณสมบัติการดาวน์โหลด zip ถูกปิดการใช้งานไว้" -#: files.php:211 +#: files.php:227 msgid "Files need to be downloaded one by one." msgstr "ไฟล์สามารถดาวน์โหลดได้ทีละครั้งเท่านั้น" -#: files.php:212 files.php:245 +#: files.php:228 files.php:256 msgid "Back to Files" msgstr "กลับไปที่ไฟล์" -#: files.php:242 +#: files.php:253 msgid "Selected files too large to generate zip file." msgstr "ไฟล์ที่เลือกมีขนาดใหญ่เกินกว่าที่จะสร้างเป็นไฟล์ zip" -#: helper.php:236 +#: files.php:254 +msgid "" +"Download the files in smaller chunks, seperately or kindly ask your " +"administrator." +msgstr "" + +#: helper.php:235 msgid "couldn't be determined" msgstr "ไม่สามารถกำหนดได้" @@ -170,77 +186,81 @@ msgstr "" msgid "PostgreSQL username and/or password not valid" msgstr "" -#: setup.php:42 +#: setup.php:28 msgid "Set an admin username." msgstr "" -#: setup.php:45 +#: setup.php:31 msgid "Set an admin password." msgstr "" -#: setup.php:198 +#: setup.php:184 msgid "" "Your web server is not yet properly setup to allow files synchronization " "because the WebDAV interface seems to be broken." msgstr "" -#: setup.php:199 +#: setup.php:185 #, php-format msgid "Please double check the installation guides." msgstr "" -#: template.php:113 +#: template/functions.php:80 msgid "seconds ago" msgstr "วินาที ก่อนหน้านี้" -#: template.php:114 +#: template/functions.php:81 msgid "1 minute ago" msgstr "1 นาทีก่อนหน้านี้" -#: template.php:115 +#: template/functions.php:82 #, php-format msgid "%d minutes ago" msgstr "%d นาทีที่ผ่านมา" -#: template.php:116 +#: template/functions.php:83 msgid "1 hour ago" msgstr "1 ชั่วโมงก่อนหน้านี้" -#: template.php:117 +#: template/functions.php:84 #, php-format msgid "%d hours ago" msgstr "%d ชั่วโมงก่อนหน้านี้" -#: template.php:118 +#: template/functions.php:85 msgid "today" msgstr "วันนี้" -#: template.php:119 +#: template/functions.php:86 msgid "yesterday" msgstr "เมื่อวานนี้" -#: template.php:120 +#: template/functions.php:87 #, php-format msgid "%d days ago" msgstr "%d วันที่ผ่านมา" -#: template.php:121 +#: template/functions.php:88 msgid "last month" msgstr "เดือนที่แล้ว" -#: template.php:122 +#: template/functions.php:89 #, php-format msgid "%d months ago" msgstr "%d เดือนมาแล้ว" -#: template.php:123 +#: template/functions.php:90 msgid "last year" msgstr "ปีที่แล้ว" -#: template.php:124 +#: template/functions.php:91 msgid "years ago" msgstr "ปี ที่ผ่านมา" +#: template.php:296 +msgid "Caused by:" +msgstr "" + #: vcategories.php:188 vcategories.php:249 #, php-format msgid "Could not find category \"%s\"" diff --git a/l10n/th_TH/settings.po b/l10n/th_TH/settings.po index 1334006e72..0dc2d71dad 100644 --- a/l10n/th_TH/settings.po +++ b/l10n/th_TH/settings.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:55+0000\n" "Last-Translator: I Robot \n" "Language-Team: Thai (Thailand) (http://www.transifex.com/projects/p/owncloud/language/th_TH/)\n" "MIME-Version: 1.0\n" @@ -273,62 +273,71 @@ msgstr "อนุญาตให้ใช้งานลิงก์ได้" msgid "Allow users to share items to the public with links" msgstr "อนุญาตให้ผู้ใช้งานสามารถแชร์ข้อมูลรายการต่างๆไปให้สาธารณะชนเป็นลิงก์ได้" -#: templates/admin.php:152 +#: templates/admin.php:153 +msgid "Allow public uploads" +msgstr "" + +#: templates/admin.php:154 +msgid "" +"Allow users to enable others to upload into their publicly shared folders" +msgstr "" + +#: templates/admin.php:162 msgid "Allow resharing" msgstr "อนุญาตให้แชร์ข้อมูลซ้ำใหม่ได้" -#: templates/admin.php:153 +#: templates/admin.php:163 msgid "Allow users to share items shared with them again" msgstr "อนุญาตให้ผู้ใช้งานแชร์ข้อมูลรายการต่างๆที่ถูกแชร์มาให้ตัวผู้ใช้งานได้เท่านั้น" -#: templates/admin.php:160 +#: templates/admin.php:170 msgid "Allow users to share with anyone" msgstr "อนุญาตให้ผู้ใช้งานแชร์ข้อมูลถึงใครก็ได้" -#: templates/admin.php:163 +#: templates/admin.php:173 msgid "Allow users to only share with users in their groups" msgstr "อนุญาตให้ผู้ใช้งานแชร์ข้อมูลได้เฉพาะกับผู้ใช้งานที่อยู่ในกลุ่มเดียวกันเท่านั้น" -#: templates/admin.php:170 +#: templates/admin.php:180 msgid "Security" msgstr "" -#: templates/admin.php:183 +#: templates/admin.php:193 msgid "Enforce HTTPS" msgstr "" -#: templates/admin.php:184 +#: templates/admin.php:194 msgid "" "Enforces the clients to connect to ownCloud via an encrypted connection." msgstr "" -#: templates/admin.php:187 +#: templates/admin.php:197 msgid "" "Please connect to this ownCloud instance via HTTPS to enable or disable the " "SSL enforcement." msgstr "" -#: templates/admin.php:197 +#: templates/admin.php:207 msgid "Log" msgstr "บันทึกการเปลี่ยนแปลง" -#: templates/admin.php:198 +#: templates/admin.php:208 msgid "Log level" msgstr "ระดับการเก็บบันทึก log" -#: templates/admin.php:229 +#: templates/admin.php:239 msgid "More" msgstr "มาก" -#: templates/admin.php:230 +#: templates/admin.php:240 msgid "Less" msgstr "น้อย" -#: templates/admin.php:236 templates/personal.php:116 +#: templates/admin.php:246 templates/personal.php:116 msgid "Version" msgstr "รุ่น" -#: templates/admin.php:240 templates/personal.php:119 +#: templates/admin.php:250 templates/personal.php:119 msgid "" "Developed by the ownCloud community, the access your Files via WebDAV" +msgstr "" #: templates/users.php:21 msgid "Login Name" diff --git a/l10n/th_TH/user_ldap.po b/l10n/th_TH/user_ldap.po index 4b200fa97f..cb9c3a51d8 100644 --- a/l10n/th_TH/user_ldap.po +++ b/l10n/th_TH/user_ldap.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: I Robot \n" "Language-Team: Thai (Thailand) (http://www.transifex.com/projects/p/owncloud/language/th_TH/)\n" "MIME-Version: 1.0\n" diff --git a/l10n/tr/core.po b/l10n/tr/core.po index 6fe007d32f..5359beab0e 100644 --- a/l10n/tr/core.po +++ b/l10n/tr/core.po @@ -8,9 +8,9 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:12+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:04+0000\n" +"Last-Translator: ismail yenigül \n" "Language-Team: Turkish (http://www.transifex.com/projects/p/owncloud/language/tr/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -21,7 +21,7 @@ msgstr "" #: ajax/share.php:97 #, php-format msgid "%s shared »%s« with you" -msgstr "" +msgstr "%s sizinle »%s« paylaşımında bulundu" #: ajax/vcategories/add.php:26 ajax/vcategories/edit.php:25 msgid "Category type not provided." @@ -138,59 +138,59 @@ msgstr "Kasım" msgid "December" msgstr "Aralık" -#: js/js.js:289 +#: js/js.js:293 msgid "Settings" msgstr "Ayarlar" -#: js/js.js:721 +#: js/js.js:715 msgid "seconds ago" msgstr "saniye önce" -#: js/js.js:722 +#: js/js.js:716 msgid "1 minute ago" msgstr "1 dakika önce" -#: js/js.js:723 +#: js/js.js:717 msgid "{minutes} minutes ago" msgstr "{minutes} dakika önce" -#: js/js.js:724 +#: js/js.js:718 msgid "1 hour ago" msgstr "1 saat önce" -#: js/js.js:725 +#: js/js.js:719 msgid "{hours} hours ago" msgstr "{hours} saat önce" -#: js/js.js:726 +#: js/js.js:720 msgid "today" msgstr "bugün" -#: js/js.js:727 +#: js/js.js:721 msgid "yesterday" msgstr "dün" -#: js/js.js:728 +#: js/js.js:722 msgid "{days} days ago" msgstr "{days} gün önce" -#: js/js.js:729 +#: js/js.js:723 msgid "last month" msgstr "geçen ay" -#: js/js.js:730 +#: js/js.js:724 msgid "{months} months ago" msgstr "{months} ay önce" -#: js/js.js:731 +#: js/js.js:725 msgid "months ago" msgstr "ay önce" -#: js/js.js:732 +#: js/js.js:726 msgid "last year" msgstr "geçen yıl" -#: js/js.js:733 +#: js/js.js:727 msgid "years ago" msgstr "yıl önce" @@ -226,8 +226,8 @@ msgstr "Nesne türü belirtilmemiş." #: js/oc-vcategories.js:14 js/oc-vcategories.js:80 js/oc-vcategories.js:95 #: js/oc-vcategories.js:110 js/oc-vcategories.js:125 js/oc-vcategories.js:136 #: js/oc-vcategories.js:172 js/oc-vcategories.js:189 js/oc-vcategories.js:195 -#: js/oc-vcategories.js:199 js/share.js:136 js/share.js:143 js/share.js:618 -#: js/share.js:630 +#: js/oc-vcategories.js:199 js/share.js:136 js/share.js:143 js/share.js:625 +#: js/share.js:637 msgid "Error" msgstr "Hata" @@ -247,7 +247,7 @@ msgstr "Paylaşılan" msgid "Share" msgstr "Paylaş" -#: js/share.js:125 js/share.js:658 +#: js/share.js:125 js/share.js:665 msgid "Error while sharing" msgstr "Paylaşım sırasında hata " @@ -267,114 +267,114 @@ msgstr " {owner} tarafından sizinle ve {group} ile paylaştırılmış" msgid "Shared with you by {owner}" msgstr "{owner} trafından sizinle paylaştırıldı" -#: js/share.js:172 +#: js/share.js:177 msgid "Share with" msgstr "ile Paylaş" -#: js/share.js:177 +#: js/share.js:182 msgid "Share with link" msgstr "Bağlantı ile paylaş" -#: js/share.js:180 +#: js/share.js:185 msgid "Password protect" msgstr "Şifre korunması" -#: js/share.js:182 templates/installation.php:54 templates/login.php:26 +#: js/share.js:187 templates/installation.php:54 templates/login.php:26 msgid "Password" msgstr "Parola" -#: js/share.js:186 +#: js/share.js:192 msgid "Allow Public Upload" -msgstr "" +msgstr "Herkes tarafından yüklemeye izin ver" -#: js/share.js:189 +#: js/share.js:196 msgid "Email link to person" msgstr "Kişiye e-posta linki" -#: js/share.js:190 +#: js/share.js:197 msgid "Send" msgstr "Gönder" -#: js/share.js:195 +#: js/share.js:202 msgid "Set expiration date" msgstr "Son kullanma tarihini ayarla" -#: js/share.js:196 +#: js/share.js:203 msgid "Expiration date" msgstr "Son kullanım tarihi" -#: js/share.js:228 +#: js/share.js:235 msgid "Share via email:" msgstr "Eposta ile paylaş" -#: js/share.js:230 +#: js/share.js:237 msgid "No people found" msgstr "Kişi bulunamadı" -#: js/share.js:268 +#: js/share.js:275 msgid "Resharing is not allowed" msgstr "Tekrar paylaşmaya izin verilmiyor" -#: js/share.js:304 +#: js/share.js:311 msgid "Shared in {item} with {user}" msgstr " {item} içinde {user} ile paylaşılanlarlar" -#: js/share.js:325 +#: js/share.js:332 msgid "Unshare" msgstr "Paylaşılmayan" -#: js/share.js:337 +#: js/share.js:344 msgid "can edit" msgstr "düzenleyebilir" -#: js/share.js:339 +#: js/share.js:346 msgid "access control" msgstr "erişim kontrolü" -#: js/share.js:342 +#: js/share.js:349 msgid "create" msgstr "oluştur" -#: js/share.js:345 +#: js/share.js:352 msgid "update" msgstr "güncelle" -#: js/share.js:348 +#: js/share.js:355 msgid "delete" msgstr "sil" -#: js/share.js:351 +#: js/share.js:358 msgid "share" msgstr "paylaş" -#: js/share.js:385 js/share.js:605 +#: js/share.js:392 js/share.js:612 msgid "Password protected" msgstr "Paralo korumalı" -#: js/share.js:618 +#: js/share.js:625 msgid "Error unsetting expiration date" msgstr "Geçerlilik tarihi tanımlama kaldırma hatası" -#: js/share.js:630 +#: js/share.js:637 msgid "Error setting expiration date" msgstr "Geçerlilik tarihi tanımlama hatası" -#: js/share.js:645 +#: js/share.js:652 msgid "Sending ..." msgstr "Gönderiliyor..." -#: js/share.js:656 +#: js/share.js:663 msgid "Email sent" msgstr "Eposta gönderildi" -#: js/update.js:14 +#: js/update.js:17 msgid "" "The update was unsuccessful. Please report this issue to the ownCloud " "community." msgstr "Güncelleme başarılı olmadı. Lütfen bu hatayı bildirin ownCloud community." -#: js/update.js:18 +#: js/update.js:21 msgid "The update was successful. Redirecting you to ownCloud now." msgstr "Güncelleme başarılı. ownCloud'a yönlendiriliyor." @@ -412,11 +412,11 @@ msgid "" "will be no way to get your data back after your password is reset. If you " "are not sure what to do, please contact your administrator before you " "continue. Do you really want to continue?" -msgstr "" +msgstr "Dosyalarınız şifrelenmiş. Eğer kurtarma anahtarını aktif etmediyseniz parola sıfırlama işleminden sonra verilerinize erişmeniz imkansız olacak. Eğer ne yaptığınızdan emin değilseniz, devam etmeden önce sistem yöneticiniz ile irtibata geçiniz. Gerçekten devam etmek istiyor musunuz?" #: lostpassword/templates/lostpassword.php:24 msgid "Yes, I really want to reset my password now" -msgstr "" +msgstr "Evet,Şu anda parolamı sıfırlamak istiyorum." #: lostpassword/templates/lostpassword.php:27 msgid "Request reset" @@ -466,7 +466,7 @@ msgstr "Erişim yasaklı" msgid "Cloud not found" msgstr "Bulut bulunamadı" -#: templates/altmail.php:2 +#: templates/altmail.php:4 #, php-format msgid "" "Hey there,\n" @@ -475,11 +475,7 @@ msgid "" "View it: %s\n" "\n" "Cheers!" -msgstr "" - -#: templates/altmail.php:7 templates/mail.php:24 -msgid "web services under your control" -msgstr "Bilgileriniz güvenli ve şifreli" +msgstr "Merhaba\n\n%s sizinle %s dosyasını paylaştığı\nPaylaşımı gör:%s\n\nİyi günler!" #: templates/edit_categories_dialog.php:4 msgid "Edit categories" @@ -612,12 +608,12 @@ msgstr "Giriş yap" msgid "Alternative Logins" msgstr "Alternatif Girişler" -#: templates/mail.php:15 +#: templates/mail.php:16 #, php-format msgid "" "Hey there,

    just letting you know that %s shared »%s« with you.
    View it!

    Cheers!" -msgstr "" +msgstr "Merhaba,

    %s sizinle »%s« paylaşımında bulundu.
    Paylaşımı gör!

    İyi günler!" #: templates/part.pagenavi.php:3 msgid "prev" diff --git a/l10n/tr/files.po b/l10n/tr/files.po index 1a128d7245..e83270b90a 100644 --- a/l10n/tr/files.po +++ b/l10n/tr/files.po @@ -8,8 +8,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:12+0200\n" -"PO-Revision-Date: 2013-07-04 07:55+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:04+0000\n" "Last-Translator: I Robot \n" "Language-Team: Turkish (http://www.transifex.com/projects/p/owncloud/language/tr/)\n" "MIME-Version: 1.0\n" @@ -28,54 +28,54 @@ msgstr "%s taşınamadı. Bu isimde dosya zaten var." msgid "Could not move %s" msgstr "%s taşınamadı" -#: ajax/upload.php:16 ajax/upload.php:39 +#: ajax/upload.php:16 ajax/upload.php:45 msgid "Unable to set upload directory." -msgstr "" +msgstr "Yükleme dizini tanımlanamadı." -#: ajax/upload.php:23 +#: ajax/upload.php:22 msgid "Invalid Token" -msgstr "" +msgstr "Geçeriz simge" -#: ajax/upload.php:55 +#: ajax/upload.php:59 msgid "No file was uploaded. Unknown error" msgstr "Dosya yüklenmedi. Bilinmeyen hata" -#: ajax/upload.php:62 +#: ajax/upload.php:66 msgid "There is no error, the file uploaded with success" msgstr "Dosya başarıyla yüklendi, hata oluşmadı" -#: ajax/upload.php:63 +#: ajax/upload.php:67 msgid "" "The uploaded file exceeds the upload_max_filesize directive in php.ini: " msgstr "php.ini dosyasında upload_max_filesize ile belirtilen dosya yükleme sınırı aşıldı." -#: ajax/upload.php:65 +#: ajax/upload.php:69 msgid "" "The uploaded file exceeds the MAX_FILE_SIZE directive that was specified in " "the HTML form" msgstr "Yüklenecek dosyanın boyutu HTML formunda belirtilen MAX_FILE_SIZE limitini aşıyor" -#: ajax/upload.php:66 +#: ajax/upload.php:70 msgid "The uploaded file was only partially uploaded" msgstr "Dosya kısmen karşıya yüklenebildi" -#: ajax/upload.php:67 +#: ajax/upload.php:71 msgid "No file was uploaded" msgstr "Hiç dosya gönderilmedi" -#: ajax/upload.php:68 +#: ajax/upload.php:72 msgid "Missing a temporary folder" msgstr "Geçici dizin eksik" -#: ajax/upload.php:69 +#: ajax/upload.php:73 msgid "Failed to write to disk" msgstr "Diske yazılamadı" -#: ajax/upload.php:87 +#: ajax/upload.php:91 msgid "Not enough storage available" msgstr "Yeterli disk alanı yok" -#: ajax/upload.php:119 +#: ajax/upload.php:123 msgid "Invalid directory." msgstr "Geçersiz dizin." @@ -129,43 +129,43 @@ msgstr "Sil" msgid "Rename" msgstr "İsim değiştir." -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:464 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:465 msgid "Pending" msgstr "Bekliyor" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "{new_name} already exists" msgstr "{new_name} zaten mevcut" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "replace" msgstr "değiştir" -#: js/filelist.js:302 +#: js/filelist.js:303 msgid "suggest name" msgstr "Öneri ad" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "cancel" msgstr "iptal" -#: js/filelist.js:349 +#: js/filelist.js:350 msgid "replaced {new_name} with {old_name}" msgstr "{new_name} ismi {old_name} ile değiştirildi" -#: js/filelist.js:349 +#: js/filelist.js:350 msgid "undo" msgstr "geri al" -#: js/filelist.js:374 +#: js/filelist.js:375 msgid "perform delete operation" msgstr "Silme işlemini gerçekleştir" -#: js/filelist.js:456 +#: js/filelist.js:457 msgid "1 file uploading" msgstr "1 dosya yüklendi" -#: js/filelist.js:459 js/filelist.js:517 +#: js/filelist.js:460 js/filelist.js:518 msgid "files uploading" msgstr "Dosyalar yükleniyor" @@ -213,26 +213,26 @@ msgstr "Boyut" msgid "Modified" msgstr "Değiştirilme" -#: js/files.js:765 +#: js/files.js:763 msgid "1 folder" msgstr "1 dizin" -#: js/files.js:767 +#: js/files.js:765 msgid "{count} folders" msgstr "{count} dizin" -#: js/files.js:775 +#: js/files.js:773 msgid "1 file" msgstr "1 dosya" -#: js/files.js:777 +#: js/files.js:775 msgid "{count} files" msgstr "{count} dosya" #: lib/app.php:73 #, php-format msgid "%s could not be renamed" -msgstr "" +msgstr "%s yeniden adlandırılamadı" #: lib/helper.php:11 templates/index.php:18 msgid "Upload" @@ -328,19 +328,19 @@ msgstr "Dosyalar taranıyor, lütfen bekleyin." msgid "Current scanning" msgstr "Güncel tarama" -#: templates/part.list.php:78 +#: templates/part.list.php:74 msgid "directory" -msgstr "" +msgstr "dizin" -#: templates/part.list.php:80 +#: templates/part.list.php:76 msgid "directories" -msgstr "" +msgstr "dizinler" -#: templates/part.list.php:89 +#: templates/part.list.php:85 msgid "file" msgstr "dosya" -#: templates/part.list.php:91 +#: templates/part.list.php:87 msgid "files" msgstr "dosyalar" diff --git a/l10n/tr/files_external.po b/l10n/tr/files_external.po index 8c146fbd9a..c2e5f4c341 100644 --- a/l10n/tr/files_external.po +++ b/l10n/tr/files_external.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: I Robot \n" "Language-Team: Turkish (http://www.transifex.com/projects/p/owncloud/language/tr/)\n" "MIME-Version: 1.0\n" @@ -37,20 +37,20 @@ msgstr "Lütfen Dropbox app key ve secret temin ediniz" msgid "Error configuring Google Drive storage" msgstr "Google Drive depo yapılandırma hatası" -#: lib/config.php:431 +#: lib/config.php:447 msgid "" "Warning: \"smbclient\" is not installed. Mounting of CIFS/SMB shares " "is not possible. Please ask your system administrator to install it." msgstr "Uyari.''smbclient''yüklü değil. Mont etme CIFS/SMB hissenin mümkün değildir. Lutfen kullanici sistemin sormak onu yuklemek ici, " -#: lib/config.php:434 +#: lib/config.php:450 msgid "" "Warning: The FTP support in PHP is not enabled or installed. Mounting" " of FTP shares is not possible. Please ask your system administrator to " "install it." msgstr ". Sistem FTP PHPden aktif degil veya yuklemedi. Monte etme hissenin FTP mumkun degildir. Lutfen kullaniici sistemin sormak onu yuklemek icin." -#: lib/config.php:437 +#: lib/config.php:453 msgid "" "Warning: The Curl support in PHP is not enabled or installed. " "Mounting of ownCloud / WebDAV or GoogleDrive is not possible. Please ask " diff --git a/l10n/tr/files_sharing.po b/l10n/tr/files_sharing.po index d95083776d..2b7db48119 100644 --- a/l10n/tr/files_sharing.po +++ b/l10n/tr/files_sharing.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:13+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: I Robot \n" "Language-Team: Turkish (http://www.transifex.com/projects/p/owncloud/language/tr/)\n" "MIME-Version: 1.0\n" @@ -39,18 +39,18 @@ msgstr "%s sizinle paylaşılan %s klasör" msgid "%s shared the file %s with you" msgstr "%s sizinle paylaşılan %s klasör" -#: templates/public.php:28 templates/public.php:86 +#: templates/public.php:28 templates/public.php:90 msgid "Download" msgstr "İndir" -#: templates/public.php:44 +#: templates/public.php:45 templates/public.php:48 msgid "Upload" msgstr "Yükle" -#: templates/public.php:54 +#: templates/public.php:58 msgid "Cancel upload" msgstr "Yüklemeyi iptal et" -#: templates/public.php:83 +#: templates/public.php:87 msgid "No preview available for" msgstr "Kullanılabilir önizleme yok" diff --git a/l10n/tr/files_trashbin.po b/l10n/tr/files_trashbin.po index 2d60a3b671..e411b73e9d 100644 --- a/l10n/tr/files_trashbin.po +++ b/l10n/tr/files_trashbin.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: I Robot \n" "Language-Team: Turkish (http://www.transifex.com/projects/p/owncloud/language/tr/)\n" "MIME-Version: 1.0\n" diff --git a/l10n/tr/lib.po b/l10n/tr/lib.po index eabf5f4b46..f87d09b341 100644 --- a/l10n/tr/lib.po +++ b/l10n/tr/lib.po @@ -8,8 +8,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:13+0000\n" +"POT-Creation-Date: 2013-07-24 01:55-0400\n" +"PO-Revision-Date: 2013-07-24 05:55+0000\n" "Last-Translator: I Robot \n" "Language-Team: Turkish (http://www.transifex.com/projects/p/owncloud/language/tr/)\n" "MIME-Version: 1.0\n" @@ -42,27 +42,43 @@ msgstr "Uygulamalar" msgid "Admin" msgstr "Yönetici" -#: defaults.php:33 -msgid "web services under your control" +#: app.php:844 +#, php-format +msgid "Failed to upgrade \"%s\"." msgstr "" -#: files.php:210 +#: defaults.php:33 +msgid "web services under your control" +msgstr "Bilgileriniz güvenli ve şifreli" + +#: files.php:66 files.php:98 +#, php-format +msgid "cannot open \"%s\"" +msgstr "" + +#: files.php:226 msgid "ZIP download is turned off." msgstr "ZIP indirmeleri kapatılmıştır." -#: files.php:211 +#: files.php:227 msgid "Files need to be downloaded one by one." msgstr "Dosyaların birer birer indirilmesi gerekmektedir." -#: files.php:212 files.php:245 +#: files.php:228 files.php:256 msgid "Back to Files" msgstr "Dosyalara dön" -#: files.php:242 +#: files.php:253 msgid "Selected files too large to generate zip file." msgstr "Seçilen dosyalar bir zip dosyası oluşturmak için fazla büyüktür." -#: helper.php:236 +#: files.php:254 +msgid "" +"Download the files in smaller chunks, seperately or kindly ask your " +"administrator." +msgstr "" + +#: helper.php:235 msgid "couldn't be determined" msgstr "tespit edilemedi" @@ -171,77 +187,81 @@ msgstr "Hatalı komut: \"%s\", ad: %s, parola: %s" msgid "PostgreSQL username and/or password not valid" msgstr "PostgreSQL adi kullanici ve/veya parola yasal degildir. " -#: setup.php:42 +#: setup.php:28 msgid "Set an admin username." msgstr "Bir adi kullanici vermek. " -#: setup.php:45 +#: setup.php:31 msgid "Set an admin password." msgstr "Parola yonetici birlemek. " -#: setup.php:198 +#: setup.php:184 msgid "" "Your web server is not yet properly setup to allow files synchronization " "because the WebDAV interface seems to be broken." msgstr "Web sunucunuz dosya transferi için düzgün bir şekilde yapılandırılmamış. WevDAV arabirimini sorunlu gözüküyor." -#: setup.php:199 +#: setup.php:185 #, php-format msgid "Please double check the installation guides." msgstr "Lütfen kurulum kılavuzlarını iki kez kontrol edin." -#: template.php:113 +#: template/functions.php:80 msgid "seconds ago" msgstr "saniye önce" -#: template.php:114 +#: template/functions.php:81 msgid "1 minute ago" msgstr "1 dakika önce" -#: template.php:115 +#: template/functions.php:82 #, php-format msgid "%d minutes ago" msgstr "%d dakika önce" -#: template.php:116 +#: template/functions.php:83 msgid "1 hour ago" msgstr "1 saat önce" -#: template.php:117 +#: template/functions.php:84 #, php-format msgid "%d hours ago" msgstr "%d saat önce" -#: template.php:118 +#: template/functions.php:85 msgid "today" msgstr "bugün" -#: template.php:119 +#: template/functions.php:86 msgid "yesterday" msgstr "dün" -#: template.php:120 +#: template/functions.php:87 #, php-format msgid "%d days ago" msgstr "%d gün önce" -#: template.php:121 +#: template/functions.php:88 msgid "last month" msgstr "geçen ay" -#: template.php:122 +#: template/functions.php:89 #, php-format msgid "%d months ago" msgstr "%d ay önce" -#: template.php:123 +#: template/functions.php:90 msgid "last year" msgstr "geçen yıl" -#: template.php:124 +#: template/functions.php:91 msgid "years ago" msgstr "yıl önce" +#: template.php:296 +msgid "Caused by:" +msgstr "" + #: vcategories.php:188 vcategories.php:249 #, php-format msgid "Could not find category \"%s\"" diff --git a/l10n/tr/settings.po b/l10n/tr/settings.po index 3f82092aa3..22ab59ac9d 100644 --- a/l10n/tr/settings.po +++ b/l10n/tr/settings.po @@ -8,8 +8,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:55+0000\n" "Last-Translator: I Robot \n" "Language-Team: Turkish (http://www.transifex.com/projects/p/owncloud/language/tr/)\n" "MIME-Version: 1.0\n" @@ -274,62 +274,71 @@ msgstr "Bağlantıları izin ver." msgid "Allow users to share items to the public with links" msgstr "Kullanıcıların nesneleri paylaşımı için herkese açık bağlantılara izin ver" -#: templates/admin.php:152 +#: templates/admin.php:153 +msgid "Allow public uploads" +msgstr "" + +#: templates/admin.php:154 +msgid "" +"Allow users to enable others to upload into their publicly shared folders" +msgstr "" + +#: templates/admin.php:162 msgid "Allow resharing" msgstr "Paylaşıma izin ver" -#: templates/admin.php:153 +#: templates/admin.php:163 msgid "Allow users to share items shared with them again" msgstr "Kullanıcıların kendileri ile paylaşılan öğeleri yeniden paylaşmasına izin ver" -#: templates/admin.php:160 +#: templates/admin.php:170 msgid "Allow users to share with anyone" msgstr "Kullanıcıların herşeyi paylaşmalarına izin ver" -#: templates/admin.php:163 +#: templates/admin.php:173 msgid "Allow users to only share with users in their groups" msgstr "Kullanıcıların sadece kendi gruplarındaki kullanıcılarla paylaşmasına izin ver" -#: templates/admin.php:170 +#: templates/admin.php:180 msgid "Security" msgstr "Güvenlik" -#: templates/admin.php:183 +#: templates/admin.php:193 msgid "Enforce HTTPS" msgstr "HTTPS bağlantısına zorla" -#: templates/admin.php:184 +#: templates/admin.php:194 msgid "" "Enforces the clients to connect to ownCloud via an encrypted connection." msgstr "İstemcileri ownCloud'a şifreli bir bağlantı ile bağlanmaya zorlar." -#: templates/admin.php:187 +#: templates/admin.php:197 msgid "" "Please connect to this ownCloud instance via HTTPS to enable or disable the " "SSL enforcement." msgstr "SSL zorlamasını etkinleştirmek ya da devre dışı bırakmak için lütfen bu ownCloud örneğine HTTPS ile bağlanın." -#: templates/admin.php:197 +#: templates/admin.php:207 msgid "Log" msgstr "Kayıtlar" -#: templates/admin.php:198 +#: templates/admin.php:208 msgid "Log level" msgstr "Günlük seviyesi" -#: templates/admin.php:229 +#: templates/admin.php:239 msgid "More" msgstr "Daha fazla" -#: templates/admin.php:230 +#: templates/admin.php:240 msgid "Less" msgstr "Az" -#: templates/admin.php:236 templates/personal.php:116 +#: templates/admin.php:246 templates/personal.php:116 msgid "Version" msgstr "Sürüm" -#: templates/admin.php:240 templates/personal.php:119 +#: templates/admin.php:250 templates/personal.php:119 msgid "" "Developed by the ownCloud community, the access your Files via WebDAV" +msgstr " Dosyalarınıza WebDAV üzerinen erişme için bu adresi kullanın" #: templates/users.php:21 msgid "Login Name" @@ -472,7 +484,7 @@ msgstr "Yönetici kurtarma parolası" msgid "" "Enter the recovery password in order to recover the users files during " "password change" -msgstr "" +msgstr "Parola değiştirme sırasında kullanıcı dosyalarını kurtarmak için bir kurtarma paroalsı girin" #: templates/users.php:42 msgid "Default Storage" diff --git a/l10n/tr/user_ldap.po b/l10n/tr/user_ldap.po index 1398dd6964..89e320a7c5 100644 --- a/l10n/tr/user_ldap.po +++ b/l10n/tr/user_ldap.po @@ -9,8 +9,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: ismail yenigül \n" "Language-Team: Turkish (http://www.transifex.com/projects/p/owncloud/language/tr/)\n" "MIME-Version: 1.0\n" diff --git a/l10n/ug/core.po b/l10n/ug/core.po index 61c3e4a6c1..e1892195c8 100644 --- a/l10n/ug/core.po +++ b/l10n/ug/core.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:12+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:04+0000\n" "Last-Translator: I Robot \n" "Language-Team: Uighur \n" "MIME-Version: 1.0\n" @@ -137,59 +137,59 @@ msgstr "ئوغلاق" msgid "December" msgstr "كۆنەك" -#: js/js.js:289 +#: js/js.js:293 msgid "Settings" msgstr "تەڭشەكلەر" -#: js/js.js:721 +#: js/js.js:715 msgid "seconds ago" msgstr "" -#: js/js.js:722 +#: js/js.js:716 msgid "1 minute ago" msgstr "1 مىنۇت ئىلگىرى" -#: js/js.js:723 +#: js/js.js:717 msgid "{minutes} minutes ago" msgstr "" -#: js/js.js:724 +#: js/js.js:718 msgid "1 hour ago" msgstr "1 سائەت ئىلگىرى" -#: js/js.js:725 +#: js/js.js:719 msgid "{hours} hours ago" msgstr "" -#: js/js.js:726 +#: js/js.js:720 msgid "today" msgstr "بۈگۈن" -#: js/js.js:727 +#: js/js.js:721 msgid "yesterday" msgstr "تۈنۈگۈن" -#: js/js.js:728 +#: js/js.js:722 msgid "{days} days ago" msgstr "" -#: js/js.js:729 +#: js/js.js:723 msgid "last month" msgstr "" -#: js/js.js:730 +#: js/js.js:724 msgid "{months} months ago" msgstr "" -#: js/js.js:731 +#: js/js.js:725 msgid "months ago" msgstr "" -#: js/js.js:732 +#: js/js.js:726 msgid "last year" msgstr "" -#: js/js.js:733 +#: js/js.js:727 msgid "years ago" msgstr "" @@ -225,8 +225,8 @@ msgstr "" #: js/oc-vcategories.js:14 js/oc-vcategories.js:80 js/oc-vcategories.js:95 #: js/oc-vcategories.js:110 js/oc-vcategories.js:125 js/oc-vcategories.js:136 #: js/oc-vcategories.js:172 js/oc-vcategories.js:189 js/oc-vcategories.js:195 -#: js/oc-vcategories.js:199 js/share.js:136 js/share.js:143 js/share.js:618 -#: js/share.js:630 +#: js/oc-vcategories.js:199 js/share.js:136 js/share.js:143 js/share.js:625 +#: js/share.js:637 msgid "Error" msgstr "خاتالىق" @@ -246,7 +246,7 @@ msgstr "" msgid "Share" msgstr "ھەمبەھىر" -#: js/share.js:125 js/share.js:658 +#: js/share.js:125 js/share.js:665 msgid "Error while sharing" msgstr "" @@ -266,114 +266,114 @@ msgstr "" msgid "Shared with you by {owner}" msgstr "" -#: js/share.js:172 +#: js/share.js:177 msgid "Share with" msgstr "ھەمبەھىر" -#: js/share.js:177 +#: js/share.js:182 msgid "Share with link" msgstr "" -#: js/share.js:180 +#: js/share.js:185 msgid "Password protect" msgstr "" -#: js/share.js:182 templates/installation.php:54 templates/login.php:26 +#: js/share.js:187 templates/installation.php:54 templates/login.php:26 msgid "Password" msgstr "ئىم" -#: js/share.js:186 +#: js/share.js:192 msgid "Allow Public Upload" msgstr "" -#: js/share.js:189 +#: js/share.js:196 msgid "Email link to person" msgstr "" -#: js/share.js:190 +#: js/share.js:197 msgid "Send" msgstr "يوللا" -#: js/share.js:195 +#: js/share.js:202 msgid "Set expiration date" msgstr "" -#: js/share.js:196 +#: js/share.js:203 msgid "Expiration date" msgstr "" -#: js/share.js:228 +#: js/share.js:235 msgid "Share via email:" msgstr "" -#: js/share.js:230 +#: js/share.js:237 msgid "No people found" msgstr "" -#: js/share.js:268 +#: js/share.js:275 msgid "Resharing is not allowed" msgstr "" -#: js/share.js:304 +#: js/share.js:311 msgid "Shared in {item} with {user}" msgstr "" -#: js/share.js:325 +#: js/share.js:332 msgid "Unshare" msgstr "ھەمبەھىرلىمە" -#: js/share.js:337 +#: js/share.js:344 msgid "can edit" msgstr "" -#: js/share.js:339 +#: js/share.js:346 msgid "access control" msgstr "" -#: js/share.js:342 +#: js/share.js:349 msgid "create" msgstr "" -#: js/share.js:345 +#: js/share.js:352 msgid "update" msgstr "" -#: js/share.js:348 +#: js/share.js:355 msgid "delete" msgstr "ئۆچۈر" -#: js/share.js:351 +#: js/share.js:358 msgid "share" msgstr "ھەمبەھىر" -#: js/share.js:385 js/share.js:605 +#: js/share.js:392 js/share.js:612 msgid "Password protected" msgstr "" -#: js/share.js:618 +#: js/share.js:625 msgid "Error unsetting expiration date" msgstr "" -#: js/share.js:630 +#: js/share.js:637 msgid "Error setting expiration date" msgstr "" -#: js/share.js:645 +#: js/share.js:652 msgid "Sending ..." msgstr "" -#: js/share.js:656 +#: js/share.js:663 msgid "Email sent" msgstr "" -#: js/update.js:14 +#: js/update.js:17 msgid "" "The update was unsuccessful. Please report this issue to the ownCloud " "community." msgstr "" -#: js/update.js:18 +#: js/update.js:21 msgid "The update was successful. Redirecting you to ownCloud now." msgstr "" @@ -465,7 +465,7 @@ msgstr "" msgid "Cloud not found" msgstr "" -#: templates/altmail.php:2 +#: templates/altmail.php:4 #, php-format msgid "" "Hey there,\n" @@ -476,10 +476,6 @@ msgid "" "Cheers!" msgstr "" -#: templates/altmail.php:7 templates/mail.php:24 -msgid "web services under your control" -msgstr "" - #: templates/edit_categories_dialog.php:4 msgid "Edit categories" msgstr "" @@ -611,7 +607,7 @@ msgstr "" msgid "Alternative Logins" msgstr "" -#: templates/mail.php:15 +#: templates/mail.php:16 #, php-format msgid "" "Hey there,

    just letting you know that %s shared »%s« with you.
    \n" "Language-Team: Uighur \n" "MIME-Version: 1.0\n" @@ -27,54 +27,54 @@ msgstr "" msgid "Could not move %s" msgstr "%s يۆتكىيەلمەيدۇ" -#: ajax/upload.php:16 ajax/upload.php:39 +#: ajax/upload.php:16 ajax/upload.php:45 msgid "Unable to set upload directory." msgstr "" -#: ajax/upload.php:23 +#: ajax/upload.php:22 msgid "Invalid Token" msgstr "" -#: ajax/upload.php:55 +#: ajax/upload.php:59 msgid "No file was uploaded. Unknown error" msgstr "ھېچقانداق ھۆججەت يۈكلەنمىدى. يوچۇن خاتالىق" -#: ajax/upload.php:62 +#: ajax/upload.php:66 msgid "There is no error, the file uploaded with success" msgstr "" -#: ajax/upload.php:63 +#: ajax/upload.php:67 msgid "" "The uploaded file exceeds the upload_max_filesize directive in php.ini: " msgstr "" -#: ajax/upload.php:65 +#: ajax/upload.php:69 msgid "" "The uploaded file exceeds the MAX_FILE_SIZE directive that was specified in " "the HTML form" msgstr "" -#: ajax/upload.php:66 +#: ajax/upload.php:70 msgid "The uploaded file was only partially uploaded" msgstr "" -#: ajax/upload.php:67 +#: ajax/upload.php:71 msgid "No file was uploaded" msgstr "ھېچقانداق ھۆججەت يۈكلەنمىدى" -#: ajax/upload.php:68 +#: ajax/upload.php:72 msgid "Missing a temporary folder" msgstr "ۋاقىتلىق قىسقۇچ كەم." -#: ajax/upload.php:69 +#: ajax/upload.php:73 msgid "Failed to write to disk" msgstr "دىسكىغا يازالمىدى" -#: ajax/upload.php:87 +#: ajax/upload.php:91 msgid "Not enough storage available" msgstr "يېتەرلىك ساقلاش بوشلۇقى يوق" -#: ajax/upload.php:119 +#: ajax/upload.php:123 msgid "Invalid directory." msgstr "" @@ -128,43 +128,43 @@ msgstr "ئۆچۈر" msgid "Rename" msgstr "ئات ئۆزگەرت" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:464 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:465 msgid "Pending" msgstr "كۈتۈۋاتىدۇ" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "{new_name} already exists" msgstr "{new_name} مەۋجۇت" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "replace" msgstr "ئالماشتۇر" -#: js/filelist.js:302 +#: js/filelist.js:303 msgid "suggest name" msgstr "تەۋسىيە ئات" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "cancel" msgstr "ۋاز كەچ" -#: js/filelist.js:349 +#: js/filelist.js:350 msgid "replaced {new_name} with {old_name}" msgstr "" -#: js/filelist.js:349 +#: js/filelist.js:350 msgid "undo" msgstr "يېنىۋال" -#: js/filelist.js:374 +#: js/filelist.js:375 msgid "perform delete operation" msgstr "" -#: js/filelist.js:456 +#: js/filelist.js:457 msgid "1 file uploading" msgstr "1 ھۆججەت يۈكلىنىۋاتىدۇ" -#: js/filelist.js:459 js/filelist.js:517 +#: js/filelist.js:460 js/filelist.js:518 msgid "files uploading" msgstr "ھۆججەت يۈكلىنىۋاتىدۇ" @@ -212,19 +212,19 @@ msgstr "چوڭلۇقى" msgid "Modified" msgstr "ئۆزگەرتكەن" -#: js/files.js:765 +#: js/files.js:763 msgid "1 folder" msgstr "1 قىسقۇچ" -#: js/files.js:767 +#: js/files.js:765 msgid "{count} folders" msgstr "" -#: js/files.js:775 +#: js/files.js:773 msgid "1 file" msgstr "1 ھۆججەت" -#: js/files.js:777 +#: js/files.js:775 msgid "{count} files" msgstr "{count} ھۆججەت" @@ -327,19 +327,19 @@ msgstr "" msgid "Current scanning" msgstr "" -#: templates/part.list.php:78 +#: templates/part.list.php:74 msgid "directory" msgstr "" -#: templates/part.list.php:80 +#: templates/part.list.php:76 msgid "directories" msgstr "" -#: templates/part.list.php:89 +#: templates/part.list.php:85 msgid "file" msgstr "" -#: templates/part.list.php:91 +#: templates/part.list.php:87 msgid "files" msgstr "" diff --git a/l10n/ug/files_external.po b/l10n/ug/files_external.po index 45a7c9909e..ed4e95513c 100644 --- a/l10n/ug/files_external.po +++ b/l10n/ug/files_external.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: Abduqadir Abliz \n" "Language-Team: Uighur \n" "MIME-Version: 1.0\n" @@ -37,20 +37,20 @@ msgstr "" msgid "Error configuring Google Drive storage" msgstr "" -#: lib/config.php:431 +#: lib/config.php:447 msgid "" "Warning: \"smbclient\" is not installed. Mounting of CIFS/SMB shares " "is not possible. Please ask your system administrator to install it." msgstr "" -#: lib/config.php:434 +#: lib/config.php:450 msgid "" "Warning: The FTP support in PHP is not enabled or installed. Mounting" " of FTP shares is not possible. Please ask your system administrator to " "install it." msgstr "" -#: lib/config.php:437 +#: lib/config.php:453 msgid "" "Warning: The Curl support in PHP is not enabled or installed. " "Mounting of ownCloud / WebDAV or GoogleDrive is not possible. Please ask " diff --git a/l10n/ug/files_sharing.po b/l10n/ug/files_sharing.po index c44c4963a7..309e31e9e0 100644 --- a/l10n/ug/files_sharing.po +++ b/l10n/ug/files_sharing.po @@ -8,8 +8,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:13+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: I Robot \n" "Language-Team: Uighur \n" "MIME-Version: 1.0\n" @@ -40,18 +40,18 @@ msgstr "" msgid "%s shared the file %s with you" msgstr "" -#: templates/public.php:28 templates/public.php:86 +#: templates/public.php:28 templates/public.php:90 msgid "Download" msgstr "چۈشۈر" -#: templates/public.php:44 +#: templates/public.php:45 templates/public.php:48 msgid "Upload" msgstr "يۈكلە" -#: templates/public.php:54 +#: templates/public.php:58 msgid "Cancel upload" msgstr "يۈكلەشتىن ۋاز كەچ" -#: templates/public.php:83 +#: templates/public.php:87 msgid "No preview available for" msgstr "" diff --git a/l10n/ug/files_trashbin.po b/l10n/ug/files_trashbin.po index 8a7776eb12..018442e993 100644 --- a/l10n/ug/files_trashbin.po +++ b/l10n/ug/files_trashbin.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: Abduqadir Abliz \n" "Language-Team: Uighur \n" "MIME-Version: 1.0\n" diff --git a/l10n/ug/lib.po b/l10n/ug/lib.po index 3b1c3ce064..bba5b72f53 100644 --- a/l10n/ug/lib.po +++ b/l10n/ug/lib.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:13+0000\n" +"POT-Creation-Date: 2013-07-24 01:55-0400\n" +"PO-Revision-Date: 2013-07-24 05:55+0000\n" "Last-Translator: I Robot \n" "Language-Team: Uighur \n" "MIME-Version: 1.0\n" @@ -41,27 +41,43 @@ msgstr "ئەپلەر" msgid "Admin" msgstr "" +#: app.php:844 +#, php-format +msgid "Failed to upgrade \"%s\"." +msgstr "" + #: defaults.php:33 msgid "web services under your control" msgstr "" -#: files.php:210 +#: files.php:66 files.php:98 +#, php-format +msgid "cannot open \"%s\"" +msgstr "" + +#: files.php:226 msgid "ZIP download is turned off." msgstr "" -#: files.php:211 +#: files.php:227 msgid "Files need to be downloaded one by one." msgstr "" -#: files.php:212 files.php:245 +#: files.php:228 files.php:256 msgid "Back to Files" msgstr "" -#: files.php:242 +#: files.php:253 msgid "Selected files too large to generate zip file." msgstr "" -#: helper.php:236 +#: files.php:254 +msgid "" +"Download the files in smaller chunks, seperately or kindly ask your " +"administrator." +msgstr "" + +#: helper.php:235 msgid "couldn't be determined" msgstr "" @@ -170,77 +186,81 @@ msgstr "" msgid "PostgreSQL username and/or password not valid" msgstr "" -#: setup.php:42 +#: setup.php:28 msgid "Set an admin username." msgstr "" -#: setup.php:45 +#: setup.php:31 msgid "Set an admin password." msgstr "" -#: setup.php:198 +#: setup.php:184 msgid "" "Your web server is not yet properly setup to allow files synchronization " "because the WebDAV interface seems to be broken." msgstr "" -#: setup.php:199 +#: setup.php:185 #, php-format msgid "Please double check the installation guides." msgstr "" -#: template.php:113 +#: template/functions.php:80 msgid "seconds ago" msgstr "" -#: template.php:114 +#: template/functions.php:81 msgid "1 minute ago" msgstr "1 مىنۇت ئىلگىرى" -#: template.php:115 +#: template/functions.php:82 #, php-format msgid "%d minutes ago" msgstr "%d مىنۇت ئىلگىرى" -#: template.php:116 +#: template/functions.php:83 msgid "1 hour ago" msgstr "1 سائەت ئىلگىرى" -#: template.php:117 +#: template/functions.php:84 #, php-format msgid "%d hours ago" msgstr "%d سائەت ئىلگىرى" -#: template.php:118 +#: template/functions.php:85 msgid "today" msgstr "بۈگۈن" -#: template.php:119 +#: template/functions.php:86 msgid "yesterday" msgstr "تۈنۈگۈن" -#: template.php:120 +#: template/functions.php:87 #, php-format msgid "%d days ago" msgstr "%d كۈن ئىلگىرى" -#: template.php:121 +#: template/functions.php:88 msgid "last month" msgstr "" -#: template.php:122 +#: template/functions.php:89 #, php-format msgid "%d months ago" msgstr "%d ئاي ئىلگىرى" -#: template.php:123 +#: template/functions.php:90 msgid "last year" msgstr "" -#: template.php:124 +#: template/functions.php:91 msgid "years ago" msgstr "" +#: template.php:296 +msgid "Caused by:" +msgstr "" + #: vcategories.php:188 vcategories.php:249 #, php-format msgid "Could not find category \"%s\"" diff --git a/l10n/ug/settings.po b/l10n/ug/settings.po index c8a31a0679..cee3ecae4a 100644 --- a/l10n/ug/settings.po +++ b/l10n/ug/settings.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:55+0000\n" "Last-Translator: I Robot \n" "Language-Team: Uighur \n" "MIME-Version: 1.0\n" @@ -273,62 +273,71 @@ msgstr "" msgid "Allow users to share items to the public with links" msgstr "" -#: templates/admin.php:152 +#: templates/admin.php:153 +msgid "Allow public uploads" +msgstr "" + +#: templates/admin.php:154 +msgid "" +"Allow users to enable others to upload into their publicly shared folders" +msgstr "" + +#: templates/admin.php:162 msgid "Allow resharing" msgstr "" -#: templates/admin.php:153 +#: templates/admin.php:163 msgid "Allow users to share items shared with them again" msgstr "" -#: templates/admin.php:160 +#: templates/admin.php:170 msgid "Allow users to share with anyone" msgstr "" -#: templates/admin.php:163 +#: templates/admin.php:173 msgid "Allow users to only share with users in their groups" msgstr "" -#: templates/admin.php:170 +#: templates/admin.php:180 msgid "Security" msgstr "بىخەتەرلىك" -#: templates/admin.php:183 +#: templates/admin.php:193 msgid "Enforce HTTPS" msgstr "" -#: templates/admin.php:184 +#: templates/admin.php:194 msgid "" "Enforces the clients to connect to ownCloud via an encrypted connection." msgstr "" -#: templates/admin.php:187 +#: templates/admin.php:197 msgid "" "Please connect to this ownCloud instance via HTTPS to enable or disable the " "SSL enforcement." msgstr "" -#: templates/admin.php:197 +#: templates/admin.php:207 msgid "Log" msgstr "خاتىرە" -#: templates/admin.php:198 +#: templates/admin.php:208 msgid "Log level" msgstr "خاتىرە دەرىجىسى" -#: templates/admin.php:229 +#: templates/admin.php:239 msgid "More" msgstr "تېخىمۇ كۆپ" -#: templates/admin.php:230 +#: templates/admin.php:240 msgid "Less" msgstr "ئاز" -#: templates/admin.php:236 templates/personal.php:116 +#: templates/admin.php:246 templates/personal.php:116 msgid "Version" msgstr "نەشرى" -#: templates/admin.php:240 templates/personal.php:119 +#: templates/admin.php:250 templates/personal.php:119 msgid "" "Developed by the ownCloud community, the access your Files via WebDAV" msgstr "" #: templates/users.php:21 diff --git a/l10n/ug/user_ldap.po b/l10n/ug/user_ldap.po index 14e85892bd..58cbd92810 100644 --- a/l10n/ug/user_ldap.po +++ b/l10n/ug/user_ldap.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: I Robot \n" "Language-Team: Uighur \n" "MIME-Version: 1.0\n" diff --git a/l10n/uk/core.po b/l10n/uk/core.po index a8a433e477..10bacada83 100644 --- a/l10n/uk/core.po +++ b/l10n/uk/core.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:12+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:04+0000\n" "Last-Translator: I Robot \n" "Language-Team: Ukrainian (http://www.transifex.com/projects/p/owncloud/language/uk/)\n" "MIME-Version: 1.0\n" @@ -137,59 +137,59 @@ msgstr "Листопад" msgid "December" msgstr "Грудень" -#: js/js.js:289 +#: js/js.js:293 msgid "Settings" msgstr "Налаштування" -#: js/js.js:721 +#: js/js.js:715 msgid "seconds ago" msgstr "секунди тому" -#: js/js.js:722 +#: js/js.js:716 msgid "1 minute ago" msgstr "1 хвилину тому" -#: js/js.js:723 +#: js/js.js:717 msgid "{minutes} minutes ago" msgstr "{minutes} хвилин тому" -#: js/js.js:724 +#: js/js.js:718 msgid "1 hour ago" msgstr "1 годину тому" -#: js/js.js:725 +#: js/js.js:719 msgid "{hours} hours ago" msgstr "{hours} години тому" -#: js/js.js:726 +#: js/js.js:720 msgid "today" msgstr "сьогодні" -#: js/js.js:727 +#: js/js.js:721 msgid "yesterday" msgstr "вчора" -#: js/js.js:728 +#: js/js.js:722 msgid "{days} days ago" msgstr "{days} днів тому" -#: js/js.js:729 +#: js/js.js:723 msgid "last month" msgstr "минулого місяця" -#: js/js.js:730 +#: js/js.js:724 msgid "{months} months ago" msgstr "{months} місяців тому" -#: js/js.js:731 +#: js/js.js:725 msgid "months ago" msgstr "місяці тому" -#: js/js.js:732 +#: js/js.js:726 msgid "last year" msgstr "минулого року" -#: js/js.js:733 +#: js/js.js:727 msgid "years ago" msgstr "роки тому" @@ -225,8 +225,8 @@ msgstr "Не визначено тип об'єкту." #: js/oc-vcategories.js:14 js/oc-vcategories.js:80 js/oc-vcategories.js:95 #: js/oc-vcategories.js:110 js/oc-vcategories.js:125 js/oc-vcategories.js:136 #: js/oc-vcategories.js:172 js/oc-vcategories.js:189 js/oc-vcategories.js:195 -#: js/oc-vcategories.js:199 js/share.js:136 js/share.js:143 js/share.js:618 -#: js/share.js:630 +#: js/oc-vcategories.js:199 js/share.js:136 js/share.js:143 js/share.js:625 +#: js/share.js:637 msgid "Error" msgstr "Помилка" @@ -246,7 +246,7 @@ msgstr "Опубліковано" msgid "Share" msgstr "Поділитися" -#: js/share.js:125 js/share.js:658 +#: js/share.js:125 js/share.js:665 msgid "Error while sharing" msgstr "Помилка під час публікації" @@ -266,114 +266,114 @@ msgstr " {owner} опублікував для Вас та для групи {gr msgid "Shared with you by {owner}" msgstr "{owner} опублікував для Вас" -#: js/share.js:172 +#: js/share.js:177 msgid "Share with" msgstr "Опублікувати для" -#: js/share.js:177 +#: js/share.js:182 msgid "Share with link" msgstr "Опублікувати через посилання" -#: js/share.js:180 +#: js/share.js:185 msgid "Password protect" msgstr "Захистити паролем" -#: js/share.js:182 templates/installation.php:54 templates/login.php:26 +#: js/share.js:187 templates/installation.php:54 templates/login.php:26 msgid "Password" msgstr "Пароль" -#: js/share.js:186 +#: js/share.js:192 msgid "Allow Public Upload" msgstr "" -#: js/share.js:189 +#: js/share.js:196 msgid "Email link to person" msgstr "Ел. пошта належить Пану" -#: js/share.js:190 +#: js/share.js:197 msgid "Send" msgstr "Надіслати" -#: js/share.js:195 +#: js/share.js:202 msgid "Set expiration date" msgstr "Встановити термін дії" -#: js/share.js:196 +#: js/share.js:203 msgid "Expiration date" msgstr "Термін дії" -#: js/share.js:228 +#: js/share.js:235 msgid "Share via email:" msgstr "Опублікувати через Ел. пошту:" -#: js/share.js:230 +#: js/share.js:237 msgid "No people found" msgstr "Жодної людини не знайдено" -#: js/share.js:268 +#: js/share.js:275 msgid "Resharing is not allowed" msgstr "Пере-публікація не дозволяється" -#: js/share.js:304 +#: js/share.js:311 msgid "Shared in {item} with {user}" msgstr "Опубліковано {item} для {user}" -#: js/share.js:325 +#: js/share.js:332 msgid "Unshare" msgstr "Закрити доступ" -#: js/share.js:337 +#: js/share.js:344 msgid "can edit" msgstr "може редагувати" -#: js/share.js:339 +#: js/share.js:346 msgid "access control" msgstr "контроль доступу" -#: js/share.js:342 +#: js/share.js:349 msgid "create" msgstr "створити" -#: js/share.js:345 +#: js/share.js:352 msgid "update" msgstr "оновити" -#: js/share.js:348 +#: js/share.js:355 msgid "delete" msgstr "видалити" -#: js/share.js:351 +#: js/share.js:358 msgid "share" msgstr "опублікувати" -#: js/share.js:385 js/share.js:605 +#: js/share.js:392 js/share.js:612 msgid "Password protected" msgstr "Захищено паролем" -#: js/share.js:618 +#: js/share.js:625 msgid "Error unsetting expiration date" msgstr "Помилка при відміні терміна дії" -#: js/share.js:630 +#: js/share.js:637 msgid "Error setting expiration date" msgstr "Помилка при встановленні терміна дії" -#: js/share.js:645 +#: js/share.js:652 msgid "Sending ..." msgstr "Надсилання..." -#: js/share.js:656 +#: js/share.js:663 msgid "Email sent" msgstr "Ел. пошта надіслана" -#: js/update.js:14 +#: js/update.js:17 msgid "" "The update was unsuccessful. Please report this issue to the ownCloud " "community." msgstr "Оновлення виконалось неуспішно. Будь ласка, повідомте про цю проблему в спільноті ownCloud." -#: js/update.js:18 +#: js/update.js:21 msgid "The update was successful. Redirecting you to ownCloud now." msgstr "Оновлення виконалось успішно. Перенаправляємо вас на ownCloud." @@ -465,7 +465,7 @@ msgstr "Доступ заборонено" msgid "Cloud not found" msgstr "Cloud не знайдено" -#: templates/altmail.php:2 +#: templates/altmail.php:4 #, php-format msgid "" "Hey there,\n" @@ -476,10 +476,6 @@ msgid "" "Cheers!" msgstr "" -#: templates/altmail.php:7 templates/mail.php:24 -msgid "web services under your control" -msgstr "підконтрольні Вам веб-сервіси" - #: templates/edit_categories_dialog.php:4 msgid "Edit categories" msgstr "Редагувати категорії" @@ -611,7 +607,7 @@ msgstr "Вхід" msgid "Alternative Logins" msgstr "Альтернативні Логіни" -#: templates/mail.php:15 +#: templates/mail.php:16 #, php-format msgid "" "Hey there,

    just letting you know that %s shared »%s« with you.
    \n" "Language-Team: Ukrainian (http://www.transifex.com/projects/p/owncloud/language/uk/)\n" "MIME-Version: 1.0\n" @@ -27,54 +27,54 @@ msgstr "Не вдалося перемістити %s - Файл з таким msgid "Could not move %s" msgstr "Не вдалося перемістити %s" -#: ajax/upload.php:16 ajax/upload.php:39 +#: ajax/upload.php:16 ajax/upload.php:45 msgid "Unable to set upload directory." msgstr "" -#: ajax/upload.php:23 +#: ajax/upload.php:22 msgid "Invalid Token" msgstr "" -#: ajax/upload.php:55 +#: ajax/upload.php:59 msgid "No file was uploaded. Unknown error" msgstr "Не завантажено жодного файлу. Невідома помилка" -#: ajax/upload.php:62 +#: ajax/upload.php:66 msgid "There is no error, the file uploaded with success" msgstr "Файл успішно вивантажено без помилок." -#: ajax/upload.php:63 +#: ajax/upload.php:67 msgid "" "The uploaded file exceeds the upload_max_filesize directive in php.ini: " msgstr "Розмір звантаження перевищує upload_max_filesize параметра в php.ini: " -#: ajax/upload.php:65 +#: ajax/upload.php:69 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:66 +#: ajax/upload.php:70 msgid "The uploaded file was only partially uploaded" msgstr "Файл відвантажено лише частково" -#: ajax/upload.php:67 +#: ajax/upload.php:71 msgid "No file was uploaded" msgstr "Не відвантажено жодного файлу" -#: ajax/upload.php:68 +#: ajax/upload.php:72 msgid "Missing a temporary folder" msgstr "Відсутній тимчасовий каталог" -#: ajax/upload.php:69 +#: ajax/upload.php:73 msgid "Failed to write to disk" msgstr "Невдалося записати на диск" -#: ajax/upload.php:87 +#: ajax/upload.php:91 msgid "Not enough storage available" msgstr "Місця більше немає" -#: ajax/upload.php:119 +#: ajax/upload.php:123 msgid "Invalid directory." msgstr "Невірний каталог." @@ -128,43 +128,43 @@ msgstr "Видалити" msgid "Rename" msgstr "Перейменувати" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:464 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:465 msgid "Pending" msgstr "Очікування" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "{new_name} already exists" msgstr "{new_name} вже існує" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "replace" msgstr "заміна" -#: js/filelist.js:302 +#: js/filelist.js:303 msgid "suggest name" msgstr "запропонуйте назву" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "cancel" msgstr "відміна" -#: js/filelist.js:349 +#: js/filelist.js:350 msgid "replaced {new_name} with {old_name}" msgstr "замінено {new_name} на {old_name}" -#: js/filelist.js:349 +#: js/filelist.js:350 msgid "undo" msgstr "відмінити" -#: js/filelist.js:374 +#: js/filelist.js:375 msgid "perform delete operation" msgstr "виконати операцію видалення" -#: js/filelist.js:456 +#: js/filelist.js:457 msgid "1 file uploading" msgstr "1 файл завантажується" -#: js/filelist.js:459 js/filelist.js:517 +#: js/filelist.js:460 js/filelist.js:518 msgid "files uploading" msgstr "файли завантажуються" @@ -212,19 +212,19 @@ msgstr "Розмір" msgid "Modified" msgstr "Змінено" -#: js/files.js:765 +#: js/files.js:763 msgid "1 folder" msgstr "1 папка" -#: js/files.js:767 +#: js/files.js:765 msgid "{count} folders" msgstr "{count} папок" -#: js/files.js:775 +#: js/files.js:773 msgid "1 file" msgstr "1 файл" -#: js/files.js:777 +#: js/files.js:775 msgid "{count} files" msgstr "{count} файлів" @@ -327,19 +327,19 @@ msgstr "Файли скануються, зачекайте, будь-ласка msgid "Current scanning" msgstr "Поточне сканування" -#: templates/part.list.php:78 +#: templates/part.list.php:74 msgid "directory" msgstr "" -#: templates/part.list.php:80 +#: templates/part.list.php:76 msgid "directories" msgstr "" -#: templates/part.list.php:89 +#: templates/part.list.php:85 msgid "file" msgstr "файл" -#: templates/part.list.php:91 +#: templates/part.list.php:87 msgid "files" msgstr "файли" diff --git a/l10n/uk/files_external.po b/l10n/uk/files_external.po index 6ec43b732b..6ed509717b 100644 --- a/l10n/uk/files_external.po +++ b/l10n/uk/files_external.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: I Robot \n" "Language-Team: Ukrainian (http://www.transifex.com/projects/p/owncloud/language/uk/)\n" "MIME-Version: 1.0\n" @@ -37,20 +37,20 @@ msgstr "Будь ласка, надайте дійсний ключ та пар msgid "Error configuring Google Drive storage" msgstr "Помилка при налаштуванні сховища Google Drive" -#: lib/config.php:431 +#: lib/config.php:447 msgid "" "Warning: \"smbclient\" is not installed. Mounting of CIFS/SMB shares " "is not possible. Please ask your system administrator to install it." msgstr "Попередження: Клієнт \"smbclient\" не встановлено. Під'єднанатися до CIFS/SMB тек неможливо. Попрохайте системного адміністратора встановити його." -#: lib/config.php:434 +#: lib/config.php:450 msgid "" "Warning: The FTP support in PHP is not enabled or installed. Mounting" " of FTP shares is not possible. Please ask your system administrator to " "install it." msgstr "Попередження: Підтримка FTP в PHP не увімкнута чи не встановлена. Під'єднанатися до FTP тек неможливо. Попрохайте системного адміністратора встановити її." -#: lib/config.php:437 +#: lib/config.php:453 msgid "" "Warning: The Curl support in PHP is not enabled or installed. " "Mounting of ownCloud / WebDAV or GoogleDrive is not possible. Please ask " diff --git a/l10n/uk/files_sharing.po b/l10n/uk/files_sharing.po index 11f2da15af..a2aca19d51 100644 --- a/l10n/uk/files_sharing.po +++ b/l10n/uk/files_sharing.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:13+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: I Robot \n" "Language-Team: Ukrainian (http://www.transifex.com/projects/p/owncloud/language/uk/)\n" "MIME-Version: 1.0\n" @@ -39,18 +39,18 @@ msgstr "%s опублікував каталог %s для Вас" msgid "%s shared the file %s with you" msgstr "%s опублікував файл %s для Вас" -#: templates/public.php:28 templates/public.php:86 +#: templates/public.php:28 templates/public.php:90 msgid "Download" msgstr "Завантажити" -#: templates/public.php:44 +#: templates/public.php:45 templates/public.php:48 msgid "Upload" msgstr "Вивантажити" -#: templates/public.php:54 +#: templates/public.php:58 msgid "Cancel upload" msgstr "Перервати завантаження" -#: templates/public.php:83 +#: templates/public.php:87 msgid "No preview available for" msgstr "Попередній перегляд недоступний для" diff --git a/l10n/uk/files_trashbin.po b/l10n/uk/files_trashbin.po index 64d464a3d3..1f8cdb0cd8 100644 --- a/l10n/uk/files_trashbin.po +++ b/l10n/uk/files_trashbin.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: I Robot \n" "Language-Team: Ukrainian (http://www.transifex.com/projects/p/owncloud/language/uk/)\n" "MIME-Version: 1.0\n" diff --git a/l10n/uk/lib.po b/l10n/uk/lib.po index e73905f4cc..950fef2e26 100644 --- a/l10n/uk/lib.po +++ b/l10n/uk/lib.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:13+0000\n" +"POT-Creation-Date: 2013-07-24 01:55-0400\n" +"PO-Revision-Date: 2013-07-24 05:55+0000\n" "Last-Translator: I Robot \n" "Language-Team: Ukrainian (http://www.transifex.com/projects/p/owncloud/language/uk/)\n" "MIME-Version: 1.0\n" @@ -41,27 +41,43 @@ msgstr "Додатки" msgid "Admin" msgstr "Адмін" -#: defaults.php:33 -msgid "web services under your control" +#: app.php:844 +#, php-format +msgid "Failed to upgrade \"%s\"." msgstr "" -#: files.php:210 +#: defaults.php:33 +msgid "web services under your control" +msgstr "підконтрольні Вам веб-сервіси" + +#: files.php:66 files.php:98 +#, php-format +msgid "cannot open \"%s\"" +msgstr "" + +#: files.php:226 msgid "ZIP download is turned off." msgstr "ZIP завантаження вимкнено." -#: files.php:211 +#: files.php:227 msgid "Files need to be downloaded one by one." msgstr "Файли повинні бути завантаженні послідовно." -#: files.php:212 files.php:245 +#: files.php:228 files.php:256 msgid "Back to Files" msgstr "Повернутися до файлів" -#: files.php:242 +#: files.php:253 msgid "Selected files too large to generate zip file." msgstr "Вибрані фали завеликі для генерування zip файлу." -#: helper.php:236 +#: files.php:254 +msgid "" +"Download the files in smaller chunks, seperately or kindly ask your " +"administrator." +msgstr "" + +#: helper.php:235 msgid "couldn't be determined" msgstr "не може бути визначено" @@ -170,77 +186,81 @@ msgstr "Команда, що викликала проблему: \"%s\", ім' msgid "PostgreSQL username and/or password not valid" msgstr "PostgreSQL ім'я користувача та/або пароль не дійсні" -#: setup.php:42 +#: setup.php:28 msgid "Set an admin username." msgstr "Встановіть ім'я адміністратора." -#: setup.php:45 +#: setup.php:31 msgid "Set an admin password." msgstr "Встановіть пароль адміністратора." -#: setup.php:198 +#: setup.php:184 msgid "" "Your web server is not yet properly setup to allow files synchronization " "because the WebDAV interface seems to be broken." msgstr "Ваш Web-сервер ще не налаштований належним чином для того, щоб дозволити синхронізацію файлів, через те що інтерфейс WebDAV, здається, зламаний." -#: setup.php:199 +#: setup.php:185 #, php-format msgid "Please double check the installation guides." msgstr "Будь ласка, перевірте інструкції по встановленню." -#: template.php:113 +#: template/functions.php:80 msgid "seconds ago" msgstr "секунди тому" -#: template.php:114 +#: template/functions.php:81 msgid "1 minute ago" msgstr "1 хвилину тому" -#: template.php:115 +#: template/functions.php:82 #, php-format msgid "%d minutes ago" msgstr "%d хвилин тому" -#: template.php:116 +#: template/functions.php:83 msgid "1 hour ago" msgstr "1 годину тому" -#: template.php:117 +#: template/functions.php:84 #, php-format msgid "%d hours ago" msgstr "%d годин тому" -#: template.php:118 +#: template/functions.php:85 msgid "today" msgstr "сьогодні" -#: template.php:119 +#: template/functions.php:86 msgid "yesterday" msgstr "вчора" -#: template.php:120 +#: template/functions.php:87 #, php-format msgid "%d days ago" msgstr "%d днів тому" -#: template.php:121 +#: template/functions.php:88 msgid "last month" msgstr "минулого місяця" -#: template.php:122 +#: template/functions.php:89 #, php-format msgid "%d months ago" msgstr "%d місяців тому" -#: template.php:123 +#: template/functions.php:90 msgid "last year" msgstr "минулого року" -#: template.php:124 +#: template/functions.php:91 msgid "years ago" msgstr "роки тому" +#: template.php:296 +msgid "Caused by:" +msgstr "" + #: vcategories.php:188 vcategories.php:249 #, php-format msgid "Could not find category \"%s\"" diff --git a/l10n/uk/settings.po b/l10n/uk/settings.po index 3b2dc3f322..07f458a6bf 100644 --- a/l10n/uk/settings.po +++ b/l10n/uk/settings.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:55+0000\n" "Last-Translator: I Robot \n" "Language-Team: Ukrainian (http://www.transifex.com/projects/p/owncloud/language/uk/)\n" "MIME-Version: 1.0\n" @@ -273,62 +273,71 @@ msgstr "Дозволити посилання" msgid "Allow users to share items to the public with links" msgstr "Дозволити користувачам відкривати спільний доступ до елементів за допомогою посилань" -#: templates/admin.php:152 +#: templates/admin.php:153 +msgid "Allow public uploads" +msgstr "" + +#: templates/admin.php:154 +msgid "" +"Allow users to enable others to upload into their publicly shared folders" +msgstr "" + +#: templates/admin.php:162 msgid "Allow resharing" msgstr "Дозволити перевідкривати спільний доступ" -#: templates/admin.php:153 +#: templates/admin.php:163 msgid "Allow users to share items shared with them again" msgstr "Дозволити користувачам знову відкривати спільний доступ до елементів, які вже відкриті для доступу" -#: templates/admin.php:160 +#: templates/admin.php:170 msgid "Allow users to share with anyone" msgstr "Дозволити користувачам відкривати спільний доступ для всіх" -#: templates/admin.php:163 +#: templates/admin.php:173 msgid "Allow users to only share with users in their groups" msgstr "Дозволити користувачам відкривати спільний доступ лише для користувачів з їхньої групи" -#: templates/admin.php:170 +#: templates/admin.php:180 msgid "Security" msgstr "Безпека" -#: templates/admin.php:183 +#: templates/admin.php:193 msgid "Enforce HTTPS" msgstr "Примусове застосування HTTPS" -#: templates/admin.php:184 +#: templates/admin.php:194 msgid "" "Enforces the clients to connect to ownCloud via an encrypted connection." msgstr "Зобов'язати клієнтів під'єднуватись до ownCloud через шифроване з'єднання." -#: templates/admin.php:187 +#: templates/admin.php:197 msgid "" "Please connect to this ownCloud instance via HTTPS to enable or disable the " "SSL enforcement." msgstr "Будь ласка, під'єднайтесь до цього ownCloud за допомогою HTTPS, щоб увімкнути або вимкнути використання SSL." -#: templates/admin.php:197 +#: templates/admin.php:207 msgid "Log" msgstr "Протокол" -#: templates/admin.php:198 +#: templates/admin.php:208 msgid "Log level" msgstr "Рівень протоколювання" -#: templates/admin.php:229 +#: templates/admin.php:239 msgid "More" msgstr "Більше" -#: templates/admin.php:230 +#: templates/admin.php:240 msgid "Less" msgstr "Менше" -#: templates/admin.php:236 templates/personal.php:116 +#: templates/admin.php:246 templates/personal.php:116 msgid "Version" msgstr "Версія" -#: templates/admin.php:240 templates/personal.php:119 +#: templates/admin.php:250 templates/personal.php:119 msgid "" "Developed by the ownCloud community, the access your Files via WebDAV" +msgstr "" #: templates/users.php:21 msgid "Login Name" diff --git a/l10n/uk/user_ldap.po b/l10n/uk/user_ldap.po index 7fca35f7f2..982e92faa3 100644 --- a/l10n/uk/user_ldap.po +++ b/l10n/uk/user_ldap.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: I Robot \n" "Language-Team: Ukrainian (http://www.transifex.com/projects/p/owncloud/language/uk/)\n" "MIME-Version: 1.0\n" diff --git a/l10n/ur_PK/core.po b/l10n/ur_PK/core.po index ca2b3c2322..6bd4bc1c91 100644 --- a/l10n/ur_PK/core.po +++ b/l10n/ur_PK/core.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:12+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:04+0000\n" "Last-Translator: I Robot \n" "Language-Team: Urdu (Pakistan) (http://www.transifex.com/projects/p/owncloud/language/ur_PK/)\n" "MIME-Version: 1.0\n" @@ -137,59 +137,59 @@ msgstr "نومبر" msgid "December" msgstr "دسمبر" -#: js/js.js:289 +#: js/js.js:293 msgid "Settings" msgstr "سیٹینگز" -#: js/js.js:721 +#: js/js.js:715 msgid "seconds ago" msgstr "" -#: js/js.js:722 +#: js/js.js:716 msgid "1 minute ago" msgstr "" -#: js/js.js:723 +#: js/js.js:717 msgid "{minutes} minutes ago" msgstr "" -#: js/js.js:724 +#: js/js.js:718 msgid "1 hour ago" msgstr "" -#: js/js.js:725 +#: js/js.js:719 msgid "{hours} hours ago" msgstr "" -#: js/js.js:726 +#: js/js.js:720 msgid "today" msgstr "" -#: js/js.js:727 +#: js/js.js:721 msgid "yesterday" msgstr "" -#: js/js.js:728 +#: js/js.js:722 msgid "{days} days ago" msgstr "" -#: js/js.js:729 +#: js/js.js:723 msgid "last month" msgstr "" -#: js/js.js:730 +#: js/js.js:724 msgid "{months} months ago" msgstr "" -#: js/js.js:731 +#: js/js.js:725 msgid "months ago" msgstr "" -#: js/js.js:732 +#: js/js.js:726 msgid "last year" msgstr "" -#: js/js.js:733 +#: js/js.js:727 msgid "years ago" msgstr "" @@ -225,8 +225,8 @@ msgstr "" #: js/oc-vcategories.js:14 js/oc-vcategories.js:80 js/oc-vcategories.js:95 #: js/oc-vcategories.js:110 js/oc-vcategories.js:125 js/oc-vcategories.js:136 #: js/oc-vcategories.js:172 js/oc-vcategories.js:189 js/oc-vcategories.js:195 -#: js/oc-vcategories.js:199 js/share.js:136 js/share.js:143 js/share.js:618 -#: js/share.js:630 +#: js/oc-vcategories.js:199 js/share.js:136 js/share.js:143 js/share.js:625 +#: js/share.js:637 msgid "Error" msgstr "ایرر" @@ -246,7 +246,7 @@ msgstr "" msgid "Share" msgstr "" -#: js/share.js:125 js/share.js:658 +#: js/share.js:125 js/share.js:665 msgid "Error while sharing" msgstr "شئیرنگ کے دوران ایرر" @@ -266,114 +266,114 @@ msgstr "" msgid "Shared with you by {owner}" msgstr "" -#: js/share.js:172 +#: js/share.js:177 msgid "Share with" msgstr "اس کے ساتھ شئیر کریں" -#: js/share.js:177 +#: js/share.js:182 msgid "Share with link" msgstr "لنک کے ساتھ شئیر کریں" -#: js/share.js:180 +#: js/share.js:185 msgid "Password protect" msgstr "پاسورڈ سے محفوظ کریں" -#: js/share.js:182 templates/installation.php:54 templates/login.php:26 +#: js/share.js:187 templates/installation.php:54 templates/login.php:26 msgid "Password" msgstr "پاسورڈ" -#: js/share.js:186 +#: js/share.js:192 msgid "Allow Public Upload" msgstr "" -#: js/share.js:189 +#: js/share.js:196 msgid "Email link to person" msgstr "" -#: js/share.js:190 +#: js/share.js:197 msgid "Send" msgstr "" -#: js/share.js:195 +#: js/share.js:202 msgid "Set expiration date" msgstr "تاریخ معیاد سیٹ کریں" -#: js/share.js:196 +#: js/share.js:203 msgid "Expiration date" msgstr "تاریخ معیاد" -#: js/share.js:228 +#: js/share.js:235 msgid "Share via email:" msgstr "" -#: js/share.js:230 +#: js/share.js:237 msgid "No people found" msgstr "کوئی لوگ نہیں ملے۔" -#: js/share.js:268 +#: js/share.js:275 msgid "Resharing is not allowed" msgstr "دوبارہ شئیر کرنے کی اجازت نہیں" -#: js/share.js:304 +#: js/share.js:311 msgid "Shared in {item} with {user}" msgstr "" -#: js/share.js:325 +#: js/share.js:332 msgid "Unshare" msgstr "شئیرنگ ختم کریں" -#: js/share.js:337 +#: js/share.js:344 msgid "can edit" msgstr "ایڈٹ کر سکے" -#: js/share.js:339 +#: js/share.js:346 msgid "access control" msgstr "اسیس کنٹرول" -#: js/share.js:342 +#: js/share.js:349 msgid "create" msgstr "نیا بنائیں" -#: js/share.js:345 +#: js/share.js:352 msgid "update" msgstr "اپ ڈیٹ" -#: js/share.js:348 +#: js/share.js:355 msgid "delete" msgstr "ختم کریں" -#: js/share.js:351 +#: js/share.js:358 msgid "share" msgstr "شئیر کریں" -#: js/share.js:385 js/share.js:605 +#: js/share.js:392 js/share.js:612 msgid "Password protected" msgstr "پاسورڈ سے محفوظ کیا گیا ہے" -#: js/share.js:618 +#: js/share.js:625 msgid "Error unsetting expiration date" msgstr "" -#: js/share.js:630 +#: js/share.js:637 msgid "Error setting expiration date" msgstr "" -#: js/share.js:645 +#: js/share.js:652 msgid "Sending ..." msgstr "" -#: js/share.js:656 +#: js/share.js:663 msgid "Email sent" msgstr "" -#: js/update.js:14 +#: js/update.js:17 msgid "" "The update was unsuccessful. Please report this issue to the ownCloud " "community." msgstr "" -#: js/update.js:18 +#: js/update.js:21 msgid "The update was successful. Redirecting you to ownCloud now." msgstr "" @@ -465,7 +465,7 @@ msgstr "پہنچ کی اجازت نہیں" msgid "Cloud not found" msgstr "نہیں مل سکا" -#: templates/altmail.php:2 +#: templates/altmail.php:4 #, php-format msgid "" "Hey there,\n" @@ -476,10 +476,6 @@ msgid "" "Cheers!" msgstr "" -#: templates/altmail.php:7 templates/mail.php:24 -msgid "web services under your control" -msgstr "آپ کے اختیار میں ویب سروسیز" - #: templates/edit_categories_dialog.php:4 msgid "Edit categories" msgstr "زمرہ جات کی تدوین کریں" @@ -611,7 +607,7 @@ msgstr "لاگ ان" msgid "Alternative Logins" msgstr "" -#: templates/mail.php:15 +#: templates/mail.php:16 #, php-format msgid "" "Hey there,

    just letting you know that %s shared »%s« with you.
    \n" "Language-Team: Urdu (Pakistan) (http://www.transifex.com/projects/p/owncloud/language/ur_PK/)\n" "MIME-Version: 1.0\n" @@ -27,54 +27,54 @@ msgstr "" msgid "Could not move %s" msgstr "" -#: ajax/upload.php:16 ajax/upload.php:39 +#: ajax/upload.php:16 ajax/upload.php:45 msgid "Unable to set upload directory." msgstr "" -#: ajax/upload.php:23 +#: ajax/upload.php:22 msgid "Invalid Token" msgstr "" -#: ajax/upload.php:55 +#: ajax/upload.php:59 msgid "No file was uploaded. Unknown error" msgstr "" -#: ajax/upload.php:62 +#: ajax/upload.php:66 msgid "There is no error, the file uploaded with success" msgstr "" -#: ajax/upload.php:63 +#: ajax/upload.php:67 msgid "" "The uploaded file exceeds the upload_max_filesize directive in php.ini: " msgstr "" -#: ajax/upload.php:65 +#: ajax/upload.php:69 msgid "" "The uploaded file exceeds the MAX_FILE_SIZE directive that was specified in " "the HTML form" msgstr "" -#: ajax/upload.php:66 +#: ajax/upload.php:70 msgid "The uploaded file was only partially uploaded" msgstr "" -#: ajax/upload.php:67 +#: ajax/upload.php:71 msgid "No file was uploaded" msgstr "" -#: ajax/upload.php:68 +#: ajax/upload.php:72 msgid "Missing a temporary folder" msgstr "" -#: ajax/upload.php:69 +#: ajax/upload.php:73 msgid "Failed to write to disk" msgstr "" -#: ajax/upload.php:87 +#: ajax/upload.php:91 msgid "Not enough storage available" msgstr "" -#: ajax/upload.php:119 +#: ajax/upload.php:123 msgid "Invalid directory." msgstr "" @@ -128,43 +128,43 @@ msgstr "" msgid "Rename" msgstr "" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:464 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:465 msgid "Pending" msgstr "" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "{new_name} already exists" msgstr "" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "replace" msgstr "" -#: js/filelist.js:302 +#: js/filelist.js:303 msgid "suggest name" msgstr "" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "cancel" msgstr "" -#: js/filelist.js:349 +#: js/filelist.js:350 msgid "replaced {new_name} with {old_name}" msgstr "" -#: js/filelist.js:349 +#: js/filelist.js:350 msgid "undo" msgstr "" -#: js/filelist.js:374 +#: js/filelist.js:375 msgid "perform delete operation" msgstr "" -#: js/filelist.js:456 +#: js/filelist.js:457 msgid "1 file uploading" msgstr "" -#: js/filelist.js:459 js/filelist.js:517 +#: js/filelist.js:460 js/filelist.js:518 msgid "files uploading" msgstr "" @@ -212,19 +212,19 @@ msgstr "" msgid "Modified" msgstr "" -#: js/files.js:765 +#: js/files.js:763 msgid "1 folder" msgstr "" -#: js/files.js:767 +#: js/files.js:765 msgid "{count} folders" msgstr "" -#: js/files.js:775 +#: js/files.js:773 msgid "1 file" msgstr "" -#: js/files.js:777 +#: js/files.js:775 msgid "{count} files" msgstr "" @@ -327,19 +327,19 @@ msgstr "" msgid "Current scanning" msgstr "" -#: templates/part.list.php:78 +#: templates/part.list.php:74 msgid "directory" msgstr "" -#: templates/part.list.php:80 +#: templates/part.list.php:76 msgid "directories" msgstr "" -#: templates/part.list.php:89 +#: templates/part.list.php:85 msgid "file" msgstr "" -#: templates/part.list.php:91 +#: templates/part.list.php:87 msgid "files" msgstr "" diff --git a/l10n/ur_PK/files_trashbin.po b/l10n/ur_PK/files_trashbin.po index 3ca0ae9535..a2b7ecb284 100644 --- a/l10n/ur_PK/files_trashbin.po +++ b/l10n/ur_PK/files_trashbin.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: I Robot \n" "Language-Team: Urdu (Pakistan) (http://www.transifex.com/projects/p/owncloud/language/ur_PK/)\n" "MIME-Version: 1.0\n" diff --git a/l10n/ur_PK/lib.po b/l10n/ur_PK/lib.po index b2dcddae24..6c94b885fd 100644 --- a/l10n/ur_PK/lib.po +++ b/l10n/ur_PK/lib.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:13+0000\n" +"POT-Creation-Date: 2013-07-24 01:55-0400\n" +"PO-Revision-Date: 2013-07-24 05:55+0000\n" "Last-Translator: I Robot \n" "Language-Team: Urdu (Pakistan) (http://www.transifex.com/projects/p/owncloud/language/ur_PK/)\n" "MIME-Version: 1.0\n" @@ -41,27 +41,43 @@ msgstr "ایپز" msgid "Admin" msgstr "ایڈمن" -#: defaults.php:33 -msgid "web services under your control" +#: app.php:844 +#, php-format +msgid "Failed to upgrade \"%s\"." msgstr "" -#: files.php:210 +#: defaults.php:33 +msgid "web services under your control" +msgstr "آپ کے اختیار میں ویب سروسیز" + +#: files.php:66 files.php:98 +#, php-format +msgid "cannot open \"%s\"" +msgstr "" + +#: files.php:226 msgid "ZIP download is turned off." msgstr "" -#: files.php:211 +#: files.php:227 msgid "Files need to be downloaded one by one." msgstr "" -#: files.php:212 files.php:245 +#: files.php:228 files.php:256 msgid "Back to Files" msgstr "" -#: files.php:242 +#: files.php:253 msgid "Selected files too large to generate zip file." msgstr "" -#: helper.php:236 +#: files.php:254 +msgid "" +"Download the files in smaller chunks, seperately or kindly ask your " +"administrator." +msgstr "" + +#: helper.php:235 msgid "couldn't be determined" msgstr "" @@ -170,77 +186,81 @@ msgstr "" msgid "PostgreSQL username and/or password not valid" msgstr "" -#: setup.php:42 +#: setup.php:28 msgid "Set an admin username." msgstr "" -#: setup.php:45 +#: setup.php:31 msgid "Set an admin password." msgstr "" -#: setup.php:198 +#: setup.php:184 msgid "" "Your web server is not yet properly setup to allow files synchronization " "because the WebDAV interface seems to be broken." msgstr "" -#: setup.php:199 +#: setup.php:185 #, php-format msgid "Please double check the installation guides." msgstr "" -#: template.php:113 +#: template/functions.php:80 msgid "seconds ago" msgstr "" -#: template.php:114 +#: template/functions.php:81 msgid "1 minute ago" msgstr "" -#: template.php:115 +#: template/functions.php:82 #, php-format msgid "%d minutes ago" msgstr "" -#: template.php:116 +#: template/functions.php:83 msgid "1 hour ago" msgstr "" -#: template.php:117 +#: template/functions.php:84 #, php-format msgid "%d hours ago" msgstr "" -#: template.php:118 +#: template/functions.php:85 msgid "today" msgstr "" -#: template.php:119 +#: template/functions.php:86 msgid "yesterday" msgstr "" -#: template.php:120 +#: template/functions.php:87 #, php-format msgid "%d days ago" msgstr "" -#: template.php:121 +#: template/functions.php:88 msgid "last month" msgstr "" -#: template.php:122 +#: template/functions.php:89 #, php-format msgid "%d months ago" msgstr "" -#: template.php:123 +#: template/functions.php:90 msgid "last year" msgstr "" -#: template.php:124 +#: template/functions.php:91 msgid "years ago" msgstr "" +#: template.php:296 +msgid "Caused by:" +msgstr "" + #: vcategories.php:188 vcategories.php:249 #, php-format msgid "Could not find category \"%s\"" diff --git a/l10n/ur_PK/settings.po b/l10n/ur_PK/settings.po index 6fbd66db44..d91064c239 100644 --- a/l10n/ur_PK/settings.po +++ b/l10n/ur_PK/settings.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:55+0000\n" "Last-Translator: I Robot \n" "Language-Team: Urdu (Pakistan) (http://www.transifex.com/projects/p/owncloud/language/ur_PK/)\n" "MIME-Version: 1.0\n" @@ -273,62 +273,71 @@ msgstr "" msgid "Allow users to share items to the public with links" msgstr "" -#: templates/admin.php:152 +#: templates/admin.php:153 +msgid "Allow public uploads" +msgstr "" + +#: templates/admin.php:154 +msgid "" +"Allow users to enable others to upload into their publicly shared folders" +msgstr "" + +#: templates/admin.php:162 msgid "Allow resharing" msgstr "" -#: templates/admin.php:153 +#: templates/admin.php:163 msgid "Allow users to share items shared with them again" msgstr "" -#: templates/admin.php:160 +#: templates/admin.php:170 msgid "Allow users to share with anyone" msgstr "" -#: templates/admin.php:163 +#: templates/admin.php:173 msgid "Allow users to only share with users in their groups" msgstr "" -#: templates/admin.php:170 +#: templates/admin.php:180 msgid "Security" msgstr "" -#: templates/admin.php:183 +#: templates/admin.php:193 msgid "Enforce HTTPS" msgstr "" -#: templates/admin.php:184 +#: templates/admin.php:194 msgid "" "Enforces the clients to connect to ownCloud via an encrypted connection." msgstr "" -#: templates/admin.php:187 +#: templates/admin.php:197 msgid "" "Please connect to this ownCloud instance via HTTPS to enable or disable the " "SSL enforcement." msgstr "" -#: templates/admin.php:197 +#: templates/admin.php:207 msgid "Log" msgstr "" -#: templates/admin.php:198 +#: templates/admin.php:208 msgid "Log level" msgstr "" -#: templates/admin.php:229 +#: templates/admin.php:239 msgid "More" msgstr "" -#: templates/admin.php:230 +#: templates/admin.php:240 msgid "Less" msgstr "" -#: templates/admin.php:236 templates/personal.php:116 +#: templates/admin.php:246 templates/personal.php:116 msgid "Version" msgstr "" -#: templates/admin.php:240 templates/personal.php:119 +#: templates/admin.php:250 templates/personal.php:119 msgid "" "Developed by the ownCloud community, the access your Files via WebDAV" msgstr "" #: templates/users.php:21 diff --git a/l10n/ur_PK/user_ldap.po b/l10n/ur_PK/user_ldap.po index c47c5eb38b..caf5f2418f 100644 --- a/l10n/ur_PK/user_ldap.po +++ b/l10n/ur_PK/user_ldap.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: I Robot \n" "Language-Team: Urdu (Pakistan) (http://www.transifex.com/projects/p/owncloud/language/ur_PK/)\n" "MIME-Version: 1.0\n" diff --git a/l10n/vi/core.po b/l10n/vi/core.po index 0cd21a7866..f5f558c82b 100644 --- a/l10n/vi/core.po +++ b/l10n/vi/core.po @@ -8,8 +8,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:12+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:04+0000\n" "Last-Translator: I Robot \n" "Language-Team: Vietnamese (http://www.transifex.com/projects/p/owncloud/language/vi/)\n" "MIME-Version: 1.0\n" @@ -138,59 +138,59 @@ msgstr "Tháng 11" msgid "December" msgstr "Tháng 12" -#: js/js.js:289 +#: js/js.js:293 msgid "Settings" msgstr "Cài đặt" -#: js/js.js:721 +#: js/js.js:715 msgid "seconds ago" msgstr "vài giây trước" -#: js/js.js:722 +#: js/js.js:716 msgid "1 minute ago" msgstr "1 phút trước" -#: js/js.js:723 +#: js/js.js:717 msgid "{minutes} minutes ago" msgstr "{minutes} phút trước" -#: js/js.js:724 +#: js/js.js:718 msgid "1 hour ago" msgstr "1 giờ trước" -#: js/js.js:725 +#: js/js.js:719 msgid "{hours} hours ago" msgstr "{hours} giờ trước" -#: js/js.js:726 +#: js/js.js:720 msgid "today" msgstr "hôm nay" -#: js/js.js:727 +#: js/js.js:721 msgid "yesterday" msgstr "hôm qua" -#: js/js.js:728 +#: js/js.js:722 msgid "{days} days ago" msgstr "{days} ngày trước" -#: js/js.js:729 +#: js/js.js:723 msgid "last month" msgstr "tháng trước" -#: js/js.js:730 +#: js/js.js:724 msgid "{months} months ago" msgstr "{months} tháng trước" -#: js/js.js:731 +#: js/js.js:725 msgid "months ago" msgstr "tháng trước" -#: js/js.js:732 +#: js/js.js:726 msgid "last year" msgstr "năm trước" -#: js/js.js:733 +#: js/js.js:727 msgid "years ago" msgstr "năm trước" @@ -226,8 +226,8 @@ msgstr "Loại đối tượng không được chỉ định." #: js/oc-vcategories.js:14 js/oc-vcategories.js:80 js/oc-vcategories.js:95 #: js/oc-vcategories.js:110 js/oc-vcategories.js:125 js/oc-vcategories.js:136 #: js/oc-vcategories.js:172 js/oc-vcategories.js:189 js/oc-vcategories.js:195 -#: js/oc-vcategories.js:199 js/share.js:136 js/share.js:143 js/share.js:618 -#: js/share.js:630 +#: js/oc-vcategories.js:199 js/share.js:136 js/share.js:143 js/share.js:625 +#: js/share.js:637 msgid "Error" msgstr "Lỗi" @@ -247,7 +247,7 @@ msgstr "Được chia sẻ" msgid "Share" msgstr "Chia sẻ" -#: js/share.js:125 js/share.js:658 +#: js/share.js:125 js/share.js:665 msgid "Error while sharing" msgstr "Lỗi trong quá trình chia sẻ" @@ -267,114 +267,114 @@ msgstr "Đã được chia sẽ với bạn và nhóm {group} bởi {owner}" msgid "Shared with you by {owner}" msgstr "Đã được chia sẽ bởi {owner}" -#: js/share.js:172 +#: js/share.js:177 msgid "Share with" msgstr "Chia sẻ với" -#: js/share.js:177 +#: js/share.js:182 msgid "Share with link" msgstr "Chia sẻ với liên kết" -#: js/share.js:180 +#: js/share.js:185 msgid "Password protect" msgstr "Mật khẩu bảo vệ" -#: js/share.js:182 templates/installation.php:54 templates/login.php:26 +#: js/share.js:187 templates/installation.php:54 templates/login.php:26 msgid "Password" msgstr "Mật khẩu" -#: js/share.js:186 +#: js/share.js:192 msgid "Allow Public Upload" msgstr "" -#: js/share.js:189 +#: js/share.js:196 msgid "Email link to person" msgstr "Liên kết email tới cá nhân" -#: js/share.js:190 +#: js/share.js:197 msgid "Send" msgstr "Gởi" -#: js/share.js:195 +#: js/share.js:202 msgid "Set expiration date" msgstr "Đặt ngày kết thúc" -#: js/share.js:196 +#: js/share.js:203 msgid "Expiration date" msgstr "Ngày kết thúc" -#: js/share.js:228 +#: js/share.js:235 msgid "Share via email:" msgstr "Chia sẻ thông qua email" -#: js/share.js:230 +#: js/share.js:237 msgid "No people found" msgstr "Không tìm thấy người nào" -#: js/share.js:268 +#: js/share.js:275 msgid "Resharing is not allowed" msgstr "Chia sẻ lại không được cho phép" -#: js/share.js:304 +#: js/share.js:311 msgid "Shared in {item} with {user}" msgstr "Đã được chia sẽ trong {item} với {user}" -#: js/share.js:325 +#: js/share.js:332 msgid "Unshare" msgstr "Bỏ chia sẻ" -#: js/share.js:337 +#: js/share.js:344 msgid "can edit" msgstr "có thể chỉnh sửa" -#: js/share.js:339 +#: js/share.js:346 msgid "access control" msgstr "quản lý truy cập" -#: js/share.js:342 +#: js/share.js:349 msgid "create" msgstr "tạo" -#: js/share.js:345 +#: js/share.js:352 msgid "update" msgstr "cập nhật" -#: js/share.js:348 +#: js/share.js:355 msgid "delete" msgstr "xóa" -#: js/share.js:351 +#: js/share.js:358 msgid "share" msgstr "chia sẻ" -#: js/share.js:385 js/share.js:605 +#: js/share.js:392 js/share.js:612 msgid "Password protected" msgstr "Mật khẩu bảo vệ" -#: js/share.js:618 +#: js/share.js:625 msgid "Error unsetting expiration date" msgstr "Lỗi không thiết lập ngày kết thúc" -#: js/share.js:630 +#: js/share.js:637 msgid "Error setting expiration date" msgstr "Lỗi cấu hình ngày kết thúc" -#: js/share.js:645 +#: js/share.js:652 msgid "Sending ..." msgstr "Đang gởi ..." -#: js/share.js:656 +#: js/share.js:663 msgid "Email sent" msgstr "Email đã được gửi" -#: js/update.js:14 +#: js/update.js:17 msgid "" "The update was unsuccessful. Please report this issue to the ownCloud " "community." msgstr "Cập nhật không thành công . Vui lòng thông báo đến Cộng đồng ownCloud ." -#: js/update.js:18 +#: js/update.js:21 msgid "The update was successful. Redirecting you to ownCloud now." msgstr "Cập nhật thành công .Hệ thống sẽ đưa bạn tới ownCloud." @@ -466,7 +466,7 @@ msgstr "Truy cập bị cấm" msgid "Cloud not found" msgstr "Không tìm thấy Clound" -#: templates/altmail.php:2 +#: templates/altmail.php:4 #, php-format msgid "" "Hey there,\n" @@ -477,10 +477,6 @@ msgid "" "Cheers!" msgstr "" -#: templates/altmail.php:7 templates/mail.php:24 -msgid "web services under your control" -msgstr "dịch vụ web dưới sự kiểm soát của bạn" - #: templates/edit_categories_dialog.php:4 msgid "Edit categories" msgstr "Sửa chuyên mục" @@ -612,7 +608,7 @@ msgstr "Đăng nhập" msgid "Alternative Logins" msgstr "Đăng nhập khác" -#: templates/mail.php:15 +#: templates/mail.php:16 #, php-format msgid "" "Hey there,

    just letting you know that %s shared »%s« with you.
    \n" "Language-Team: Vietnamese (http://www.transifex.com/projects/p/owncloud/language/vi/)\n" "MIME-Version: 1.0\n" @@ -28,54 +28,54 @@ msgstr "Không thể di chuyển %s - Đã có tên tập tin này trên hệ th msgid "Could not move %s" msgstr "Không thể di chuyển %s" -#: ajax/upload.php:16 ajax/upload.php:39 +#: ajax/upload.php:16 ajax/upload.php:45 msgid "Unable to set upload directory." msgstr "" -#: ajax/upload.php:23 +#: ajax/upload.php:22 msgid "Invalid Token" msgstr "" -#: ajax/upload.php:55 +#: ajax/upload.php:59 msgid "No file was uploaded. Unknown error" msgstr "Không có tập tin nào được tải lên. Lỗi không xác định" -#: ajax/upload.php:62 +#: ajax/upload.php:66 msgid "There is no error, the file uploaded with success" msgstr "Không có lỗi, các tập tin đã được tải lên thành công" -#: ajax/upload.php:63 +#: ajax/upload.php:67 msgid "" "The uploaded file exceeds the upload_max_filesize directive in php.ini: " msgstr "The uploaded file exceeds the upload_max_filesize directive in php.ini: " -#: ajax/upload.php:65 +#: ajax/upload.php:69 msgid "" "The uploaded file exceeds the MAX_FILE_SIZE directive that was specified in " "the HTML form" msgstr "Tập tin được tải lên vượt quá MAX_FILE_SIZE được quy định trong mẫu HTML" -#: ajax/upload.php:66 +#: ajax/upload.php:70 msgid "The uploaded file was only partially uploaded" msgstr "Các tập tin được tải lên chỉ tải lên được một phần" -#: ajax/upload.php:67 +#: ajax/upload.php:71 msgid "No file was uploaded" msgstr "Chưa có file nào được tải lên" -#: ajax/upload.php:68 +#: ajax/upload.php:72 msgid "Missing a temporary folder" msgstr "Không tìm thấy thư mục tạm" -#: ajax/upload.php:69 +#: ajax/upload.php:73 msgid "Failed to write to disk" msgstr "Không thể ghi " -#: ajax/upload.php:87 +#: ajax/upload.php:91 msgid "Not enough storage available" msgstr "Không đủ không gian lưu trữ" -#: ajax/upload.php:119 +#: ajax/upload.php:123 msgid "Invalid directory." msgstr "Thư mục không hợp lệ" @@ -129,43 +129,43 @@ msgstr "Xóa" msgid "Rename" msgstr "Sửa tên" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:464 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:465 msgid "Pending" msgstr "Đang chờ" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "{new_name} already exists" msgstr "{new_name} đã tồn tại" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "replace" msgstr "thay thế" -#: js/filelist.js:302 +#: js/filelist.js:303 msgid "suggest name" msgstr "tên gợi ý" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "cancel" msgstr "hủy" -#: js/filelist.js:349 +#: js/filelist.js:350 msgid "replaced {new_name} with {old_name}" msgstr "đã thay thế {new_name} bằng {old_name}" -#: js/filelist.js:349 +#: js/filelist.js:350 msgid "undo" msgstr "lùi lại" -#: js/filelist.js:374 +#: js/filelist.js:375 msgid "perform delete operation" msgstr "thực hiện việc xóa" -#: js/filelist.js:456 +#: js/filelist.js:457 msgid "1 file uploading" msgstr "1 tệp tin đang được tải lên" -#: js/filelist.js:459 js/filelist.js:517 +#: js/filelist.js:460 js/filelist.js:518 msgid "files uploading" msgstr "tệp tin đang được tải lên" @@ -213,19 +213,19 @@ msgstr "Kích cỡ" msgid "Modified" msgstr "Thay đổi" -#: js/files.js:765 +#: js/files.js:763 msgid "1 folder" msgstr "1 thư mục" -#: js/files.js:767 +#: js/files.js:765 msgid "{count} folders" msgstr "{count} thư mục" -#: js/files.js:775 +#: js/files.js:773 msgid "1 file" msgstr "1 tập tin" -#: js/files.js:777 +#: js/files.js:775 msgid "{count} files" msgstr "{count} tập tin" @@ -328,19 +328,19 @@ msgstr "Tập tin đang được quét ,vui lòng chờ." msgid "Current scanning" msgstr "Hiện tại đang quét" -#: templates/part.list.php:78 +#: templates/part.list.php:74 msgid "directory" msgstr "" -#: templates/part.list.php:80 +#: templates/part.list.php:76 msgid "directories" msgstr "" -#: templates/part.list.php:89 +#: templates/part.list.php:85 msgid "file" msgstr "file" -#: templates/part.list.php:91 +#: templates/part.list.php:87 msgid "files" msgstr "files" diff --git a/l10n/vi/files_external.po b/l10n/vi/files_external.po index efc55d1228..66d06e79b2 100644 --- a/l10n/vi/files_external.po +++ b/l10n/vi/files_external.po @@ -8,8 +8,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: xtdv \n" "Language-Team: Vietnamese (http://www.transifex.com/projects/p/owncloud/language/vi/)\n" "MIME-Version: 1.0\n" @@ -38,20 +38,20 @@ msgstr "Xin vui lòng cung cấp một ứng dụng Dropbox hợp lệ và mã b msgid "Error configuring Google Drive storage" msgstr "Lỗi cấu hình lưu trữ Google Drive" -#: lib/config.php:431 +#: lib/config.php:447 msgid "" "Warning: \"smbclient\" is not installed. Mounting of CIFS/SMB shares " "is not possible. Please ask your system administrator to install it." msgstr "Cảnh báo: \"smbclient\" chưa được cài đặt. Mount CIFS/SMB shares là không thể thực hiện được. Hãy hỏi người quản trị hệ thống để cài đặt nó." -#: lib/config.php:434 +#: lib/config.php:450 msgid "" "Warning: The FTP support in PHP is not enabled or installed. Mounting" " of FTP shares is not possible. Please ask your system administrator to " "install it." msgstr "Cảnh báo: FTP trong PHP chưa được cài đặt hoặc chưa được mở. Mount FTP shares là không thể. Xin hãy yêu cầu quản trị hệ thống của bạn cài đặt nó." -#: lib/config.php:437 +#: lib/config.php:453 msgid "" "Warning: The Curl support in PHP is not enabled or installed. " "Mounting of ownCloud / WebDAV or GoogleDrive is not possible. Please ask " diff --git a/l10n/vi/files_sharing.po b/l10n/vi/files_sharing.po index 4fcc10717e..4bcdd783ac 100644 --- a/l10n/vi/files_sharing.po +++ b/l10n/vi/files_sharing.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:13+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: I Robot \n" "Language-Team: Vietnamese (http://www.transifex.com/projects/p/owncloud/language/vi/)\n" "MIME-Version: 1.0\n" @@ -39,18 +39,18 @@ msgstr "%s đã chia sẻ thư mục %s với bạn" msgid "%s shared the file %s with you" msgstr "%s đã chia sẻ tập tin %s với bạn" -#: templates/public.php:28 templates/public.php:86 +#: templates/public.php:28 templates/public.php:90 msgid "Download" msgstr "Tải về" -#: templates/public.php:44 +#: templates/public.php:45 templates/public.php:48 msgid "Upload" msgstr "Tải lên" -#: templates/public.php:54 +#: templates/public.php:58 msgid "Cancel upload" msgstr "Hủy upload" -#: templates/public.php:83 +#: templates/public.php:87 msgid "No preview available for" msgstr "Không có xem trước cho" diff --git a/l10n/vi/files_trashbin.po b/l10n/vi/files_trashbin.po index d3d2d1c4de..96aa6aaf2b 100644 --- a/l10n/vi/files_trashbin.po +++ b/l10n/vi/files_trashbin.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: I Robot \n" "Language-Team: Vietnamese (http://www.transifex.com/projects/p/owncloud/language/vi/)\n" "MIME-Version: 1.0\n" diff --git a/l10n/vi/lib.po b/l10n/vi/lib.po index 44174a48f0..83319251fa 100644 --- a/l10n/vi/lib.po +++ b/l10n/vi/lib.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:13+0000\n" +"POT-Creation-Date: 2013-07-24 01:55-0400\n" +"PO-Revision-Date: 2013-07-24 05:55+0000\n" "Last-Translator: I Robot \n" "Language-Team: Vietnamese (http://www.transifex.com/projects/p/owncloud/language/vi/)\n" "MIME-Version: 1.0\n" @@ -41,27 +41,43 @@ msgstr "Ứng dụng" msgid "Admin" msgstr "Quản trị" -#: defaults.php:33 -msgid "web services under your control" +#: app.php:844 +#, php-format +msgid "Failed to upgrade \"%s\"." msgstr "" -#: files.php:210 +#: defaults.php:33 +msgid "web services under your control" +msgstr "dịch vụ web dưới sự kiểm soát của bạn" + +#: files.php:66 files.php:98 +#, php-format +msgid "cannot open \"%s\"" +msgstr "" + +#: files.php:226 msgid "ZIP download is turned off." msgstr "Tải về ZIP đã bị tắt." -#: files.php:211 +#: files.php:227 msgid "Files need to be downloaded one by one." msgstr "Tập tin cần phải được tải về từng người một." -#: files.php:212 files.php:245 +#: files.php:228 files.php:256 msgid "Back to Files" msgstr "Trở lại tập tin" -#: files.php:242 +#: files.php:253 msgid "Selected files too large to generate zip file." msgstr "Tập tin được chọn quá lớn để tạo tập tin ZIP." -#: helper.php:236 +#: files.php:254 +msgid "" +"Download the files in smaller chunks, seperately or kindly ask your " +"administrator." +msgstr "" + +#: helper.php:235 msgid "couldn't be determined" msgstr "không thể phát hiện được" @@ -170,77 +186,81 @@ msgstr "" msgid "PostgreSQL username and/or password not valid" msgstr "" -#: setup.php:42 +#: setup.php:28 msgid "Set an admin username." msgstr "" -#: setup.php:45 +#: setup.php:31 msgid "Set an admin password." msgstr "" -#: setup.php:198 +#: setup.php:184 msgid "" "Your web server is not yet properly setup to allow files synchronization " "because the WebDAV interface seems to be broken." msgstr "" -#: setup.php:199 +#: setup.php:185 #, php-format msgid "Please double check the installation guides." msgstr "" -#: template.php:113 +#: template/functions.php:80 msgid "seconds ago" msgstr "vài giây trước" -#: template.php:114 +#: template/functions.php:81 msgid "1 minute ago" msgstr "1 phút trước" -#: template.php:115 +#: template/functions.php:82 #, php-format msgid "%d minutes ago" msgstr "%d phút trước" -#: template.php:116 +#: template/functions.php:83 msgid "1 hour ago" msgstr "1 giờ trước" -#: template.php:117 +#: template/functions.php:84 #, php-format msgid "%d hours ago" msgstr "%d giờ trước" -#: template.php:118 +#: template/functions.php:85 msgid "today" msgstr "hôm nay" -#: template.php:119 +#: template/functions.php:86 msgid "yesterday" msgstr "hôm qua" -#: template.php:120 +#: template/functions.php:87 #, php-format msgid "%d days ago" msgstr "%d ngày trước" -#: template.php:121 +#: template/functions.php:88 msgid "last month" msgstr "tháng trước" -#: template.php:122 +#: template/functions.php:89 #, php-format msgid "%d months ago" msgstr "%d tháng trước" -#: template.php:123 +#: template/functions.php:90 msgid "last year" msgstr "năm trước" -#: template.php:124 +#: template/functions.php:91 msgid "years ago" msgstr "năm trước" +#: template.php:296 +msgid "Caused by:" +msgstr "" + #: vcategories.php:188 vcategories.php:249 #, php-format msgid "Could not find category \"%s\"" diff --git a/l10n/vi/settings.po b/l10n/vi/settings.po index 0344004549..cc15faec29 100644 --- a/l10n/vi/settings.po +++ b/l10n/vi/settings.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:55+0000\n" "Last-Translator: I Robot \n" "Language-Team: Vietnamese (http://www.transifex.com/projects/p/owncloud/language/vi/)\n" "MIME-Version: 1.0\n" @@ -273,62 +273,71 @@ msgstr "Cho phép liên kết" msgid "Allow users to share items to the public with links" msgstr "Cho phép người dùng chia sẻ công khai các mục bằng các liên kết" -#: templates/admin.php:152 +#: templates/admin.php:153 +msgid "Allow public uploads" +msgstr "" + +#: templates/admin.php:154 +msgid "" +"Allow users to enable others to upload into their publicly shared folders" +msgstr "" + +#: templates/admin.php:162 msgid "Allow resharing" msgstr "Cho phép chia sẻ lại" -#: templates/admin.php:153 +#: templates/admin.php:163 msgid "Allow users to share items shared with them again" msgstr "Cho phép người dùng chia sẻ lại những mục đã được chia sẻ" -#: templates/admin.php:160 +#: templates/admin.php:170 msgid "Allow users to share with anyone" msgstr "Cho phép người dùng chia sẻ với bất cứ ai" -#: templates/admin.php:163 +#: templates/admin.php:173 msgid "Allow users to only share with users in their groups" msgstr "Chỉ cho phép người dùng chia sẻ với những người dùng trong nhóm của họ" -#: templates/admin.php:170 +#: templates/admin.php:180 msgid "Security" msgstr "" -#: templates/admin.php:183 +#: templates/admin.php:193 msgid "Enforce HTTPS" msgstr "" -#: templates/admin.php:184 +#: templates/admin.php:194 msgid "" "Enforces the clients to connect to ownCloud via an encrypted connection." msgstr "" -#: templates/admin.php:187 +#: templates/admin.php:197 msgid "" "Please connect to this ownCloud instance via HTTPS to enable or disable the " "SSL enforcement." msgstr "" -#: templates/admin.php:197 +#: templates/admin.php:207 msgid "Log" msgstr "Log" -#: templates/admin.php:198 +#: templates/admin.php:208 msgid "Log level" msgstr "" -#: templates/admin.php:229 +#: templates/admin.php:239 msgid "More" msgstr "hơn" -#: templates/admin.php:230 +#: templates/admin.php:240 msgid "Less" msgstr "ít" -#: templates/admin.php:236 templates/personal.php:116 +#: templates/admin.php:246 templates/personal.php:116 msgid "Version" msgstr "Phiên bản" -#: templates/admin.php:240 templates/personal.php:119 +#: templates/admin.php:250 templates/personal.php:119 msgid "" "Developed by the ownCloud community, the access your Files via WebDAV" +msgstr "" #: templates/users.php:21 msgid "Login Name" diff --git a/l10n/vi/user_ldap.po b/l10n/vi/user_ldap.po index d79d6e4d0d..a7f8802c4c 100644 --- a/l10n/vi/user_ldap.po +++ b/l10n/vi/user_ldap.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: I Robot \n" "Language-Team: Vietnamese (http://www.transifex.com/projects/p/owncloud/language/vi/)\n" "MIME-Version: 1.0\n" diff --git a/l10n/zh_CN.GB2312/core.po b/l10n/zh_CN.GB2312/core.po index 11d8aaccec..fc9d49e79a 100644 --- a/l10n/zh_CN.GB2312/core.po +++ b/l10n/zh_CN.GB2312/core.po @@ -9,8 +9,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:12+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:04+0000\n" "Last-Translator: I Robot \n" "Language-Team: Chinese (China) (GB2312) (http://www.transifex.com/projects/p/owncloud/language/zh_CN.GB2312/)\n" "MIME-Version: 1.0\n" @@ -139,59 +139,59 @@ msgstr "十一月" msgid "December" msgstr "十二月" -#: js/js.js:289 +#: js/js.js:293 msgid "Settings" msgstr "设置" -#: js/js.js:721 +#: js/js.js:715 msgid "seconds ago" msgstr "秒前" -#: js/js.js:722 +#: js/js.js:716 msgid "1 minute ago" msgstr "1 分钟前" -#: js/js.js:723 +#: js/js.js:717 msgid "{minutes} minutes ago" msgstr "{minutes} 分钟前" -#: js/js.js:724 +#: js/js.js:718 msgid "1 hour ago" msgstr "1小时前" -#: js/js.js:725 +#: js/js.js:719 msgid "{hours} hours ago" msgstr "{hours}小时前" -#: js/js.js:726 +#: js/js.js:720 msgid "today" msgstr "今天" -#: js/js.js:727 +#: js/js.js:721 msgid "yesterday" msgstr "昨天" -#: js/js.js:728 +#: js/js.js:722 msgid "{days} days ago" msgstr "{days} 天前" -#: js/js.js:729 +#: js/js.js:723 msgid "last month" msgstr "上个月" -#: js/js.js:730 +#: js/js.js:724 msgid "{months} months ago" msgstr "{months}月前" -#: js/js.js:731 +#: js/js.js:725 msgid "months ago" msgstr "月前" -#: js/js.js:732 +#: js/js.js:726 msgid "last year" msgstr "去年" -#: js/js.js:733 +#: js/js.js:727 msgid "years ago" msgstr "年前" @@ -227,8 +227,8 @@ msgstr "未指定对象类型。" #: js/oc-vcategories.js:14 js/oc-vcategories.js:80 js/oc-vcategories.js:95 #: js/oc-vcategories.js:110 js/oc-vcategories.js:125 js/oc-vcategories.js:136 #: js/oc-vcategories.js:172 js/oc-vcategories.js:189 js/oc-vcategories.js:195 -#: js/oc-vcategories.js:199 js/share.js:136 js/share.js:143 js/share.js:618 -#: js/share.js:630 +#: js/oc-vcategories.js:199 js/share.js:136 js/share.js:143 js/share.js:625 +#: js/share.js:637 msgid "Error" msgstr "出错" @@ -248,7 +248,7 @@ msgstr "已分享" msgid "Share" msgstr "分享" -#: js/share.js:125 js/share.js:658 +#: js/share.js:125 js/share.js:665 msgid "Error while sharing" msgstr "分享出错" @@ -268,114 +268,114 @@ msgstr "由 {owner} 与您和 {group} 群组分享" msgid "Shared with you by {owner}" msgstr "由 {owner} 与您分享" -#: js/share.js:172 +#: js/share.js:177 msgid "Share with" msgstr "分享" -#: js/share.js:177 +#: js/share.js:182 msgid "Share with link" msgstr "分享链接" -#: js/share.js:180 +#: js/share.js:185 msgid "Password protect" msgstr "密码保护" -#: js/share.js:182 templates/installation.php:54 templates/login.php:26 +#: js/share.js:187 templates/installation.php:54 templates/login.php:26 msgid "Password" msgstr "密码" -#: js/share.js:186 +#: js/share.js:192 msgid "Allow Public Upload" msgstr "" -#: js/share.js:189 +#: js/share.js:196 msgid "Email link to person" msgstr "面向个人的电子邮件链接" -#: js/share.js:190 +#: js/share.js:197 msgid "Send" msgstr "发送" -#: js/share.js:195 +#: js/share.js:202 msgid "Set expiration date" msgstr "设置失效日期" -#: js/share.js:196 +#: js/share.js:203 msgid "Expiration date" msgstr "失效日期" -#: js/share.js:228 +#: js/share.js:235 msgid "Share via email:" msgstr "通过电子邮件分享:" -#: js/share.js:230 +#: js/share.js:237 msgid "No people found" msgstr "查无此人" -#: js/share.js:268 +#: js/share.js:275 msgid "Resharing is not allowed" msgstr "不允许重复分享" -#: js/share.js:304 +#: js/share.js:311 msgid "Shared in {item} with {user}" msgstr "已经与 {user} 在 {item} 中分享" -#: js/share.js:325 +#: js/share.js:332 msgid "Unshare" msgstr "取消分享" -#: js/share.js:337 +#: js/share.js:344 msgid "can edit" msgstr "可编辑" -#: js/share.js:339 +#: js/share.js:346 msgid "access control" msgstr "访问控制" -#: js/share.js:342 +#: js/share.js:349 msgid "create" msgstr "创建" -#: js/share.js:345 +#: js/share.js:352 msgid "update" msgstr "更新" -#: js/share.js:348 +#: js/share.js:355 msgid "delete" msgstr "删除" -#: js/share.js:351 +#: js/share.js:358 msgid "share" msgstr "分享" -#: js/share.js:385 js/share.js:605 +#: js/share.js:392 js/share.js:612 msgid "Password protected" msgstr "密码保护" -#: js/share.js:618 +#: js/share.js:625 msgid "Error unsetting expiration date" msgstr "取消设置失效日期出错" -#: js/share.js:630 +#: js/share.js:637 msgid "Error setting expiration date" msgstr "设置失效日期出错" -#: js/share.js:645 +#: js/share.js:652 msgid "Sending ..." msgstr "发送中……" -#: js/share.js:656 +#: js/share.js:663 msgid "Email sent" msgstr "电子邮件已发送" -#: js/update.js:14 +#: js/update.js:17 msgid "" "The update was unsuccessful. Please report this issue to the ownCloud " "community." msgstr "升级失败。请向ownCloud社区报告此问题。" -#: js/update.js:18 +#: js/update.js:21 msgid "The update was successful. Redirecting you to ownCloud now." msgstr "升级成功。现在为您跳转到ownCloud。" @@ -467,7 +467,7 @@ msgstr "禁止访问" msgid "Cloud not found" msgstr "云 没有被找到" -#: templates/altmail.php:2 +#: templates/altmail.php:4 #, php-format msgid "" "Hey there,\n" @@ -478,10 +478,6 @@ msgid "" "Cheers!" msgstr "" -#: templates/altmail.php:7 templates/mail.php:24 -msgid "web services under your control" -msgstr "您控制的网络服务" - #: templates/edit_categories_dialog.php:4 msgid "Edit categories" msgstr "编辑分类" @@ -613,7 +609,7 @@ msgstr "登陆" msgid "Alternative Logins" msgstr "备选登录" -#: templates/mail.php:15 +#: templates/mail.php:16 #, php-format msgid "" "Hey there,

    just letting you know that %s shared »%s« with you.
    , 2013 msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:12+0200\n" -"PO-Revision-Date: 2013-07-04 07:55+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:04+0000\n" "Last-Translator: I Robot \n" "Language-Team: Chinese (China) (GB2312) (http://www.transifex.com/projects/p/owncloud/language/zh_CN.GB2312/)\n" "MIME-Version: 1.0\n" @@ -20,63 +21,63 @@ msgstr "" #: ajax/move.php:17 #, php-format msgid "Could not move %s - File with this name already exists" -msgstr "" +msgstr "无法移动 %s - 存在同名文件" #: ajax/move.php:27 ajax/move.php:30 #, php-format msgid "Could not move %s" -msgstr "" +msgstr "无法移动 %s" -#: ajax/upload.php:16 ajax/upload.php:39 +#: ajax/upload.php:16 ajax/upload.php:45 msgid "Unable to set upload directory." -msgstr "" +msgstr "无法设置上传文件夹" -#: ajax/upload.php:23 +#: ajax/upload.php:22 msgid "Invalid Token" -msgstr "" +msgstr "非法Token" -#: ajax/upload.php:55 +#: ajax/upload.php:59 msgid "No file was uploaded. Unknown error" msgstr "没有上传文件。未知错误" -#: ajax/upload.php:62 +#: ajax/upload.php:66 msgid "There is no error, the file uploaded with success" msgstr "文件上传成功" -#: ajax/upload.php:63 +#: ajax/upload.php:67 msgid "" "The uploaded file exceeds the upload_max_filesize directive in php.ini: " -msgstr "" +msgstr "上传的文件超过了php.ini指定的upload_max_filesize" -#: ajax/upload.php:65 +#: ajax/upload.php:69 msgid "" "The uploaded file exceeds the MAX_FILE_SIZE directive that was specified in " "the HTML form" msgstr "上传的文件超过了 HTML 表格中指定的 MAX_FILE_SIZE 选项" -#: ajax/upload.php:66 +#: ajax/upload.php:70 msgid "The uploaded file was only partially uploaded" msgstr "文件部分上传" -#: ajax/upload.php:67 +#: ajax/upload.php:71 msgid "No file was uploaded" msgstr "没有上传文件" -#: ajax/upload.php:68 +#: ajax/upload.php:72 msgid "Missing a temporary folder" msgstr "缺失临时文件夹" -#: ajax/upload.php:69 +#: ajax/upload.php:73 msgid "Failed to write to disk" msgstr "写磁盘失败" -#: ajax/upload.php:87 +#: ajax/upload.php:91 msgid "Not enough storage available" -msgstr "" +msgstr "容量不足" -#: ajax/upload.php:119 +#: ajax/upload.php:123 msgid "Invalid directory." -msgstr "" +msgstr "无效文件夹" #: appinfo/app.php:12 msgid "Files" @@ -88,7 +89,7 @@ msgstr "不能上传您的文件,由于它是文件夹或者为空文件" #: js/file-upload.js:24 msgid "Not enough space available" -msgstr "" +msgstr "容量不足" #: js/file-upload.js:64 msgid "Upload cancelled." @@ -105,7 +106,7 @@ msgstr "网址不能为空。" #: js/file-upload.js:238 lib/app.php:53 msgid "Invalid folder name. Usage of 'Shared' is reserved by ownCloud" -msgstr "" +msgstr "无效文件夹名。“Shared”已经被系统保留。" #: js/file-upload.js:267 js/file-upload.js:283 js/files.js:373 js/files.js:389 #: js/files.js:693 js/files.js:731 @@ -118,7 +119,7 @@ msgstr "分享" #: js/fileactions.js:126 msgid "Delete permanently" -msgstr "" +msgstr "永久删除" #: js/fileactions.js:128 templates/index.php:93 templates/index.php:94 msgid "Delete" @@ -128,77 +129,77 @@ msgstr "删除" msgid "Rename" msgstr "重命名" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:464 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:465 msgid "Pending" msgstr "等待中" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "{new_name} already exists" msgstr "{new_name} 已存在" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "replace" msgstr "替换" -#: js/filelist.js:302 +#: js/filelist.js:303 msgid "suggest name" msgstr "推荐名称" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "cancel" msgstr "取消" -#: js/filelist.js:349 +#: js/filelist.js:350 msgid "replaced {new_name} with {old_name}" msgstr "已用 {old_name} 替换 {new_name}" -#: js/filelist.js:349 +#: js/filelist.js:350 msgid "undo" msgstr "撤销" -#: js/filelist.js:374 +#: js/filelist.js:375 msgid "perform delete operation" -msgstr "" +msgstr "执行删除" -#: js/filelist.js:456 +#: js/filelist.js:457 msgid "1 file uploading" msgstr "1 个文件正在上传" -#: js/filelist.js:459 js/filelist.js:517 +#: js/filelist.js:460 js/filelist.js:518 msgid "files uploading" msgstr "个文件正在上传" #: js/files.js:52 msgid "'.' is an invalid file name." -msgstr "" +msgstr "'.' 文件名不正确" #: js/files.js:56 msgid "File name cannot be empty." -msgstr "" +msgstr "文件名不能为空" #: js/files.js:64 msgid "" "Invalid name, '\\', '/', '<', '>', ':', '\"', '|', '?' and '*' are not " "allowed." -msgstr "" +msgstr "文件名内不能包含以下符号:\\ / < > : \" | ?和 *" #: js/files.js:78 msgid "Your storage is full, files can not be updated or synced anymore!" -msgstr "" +msgstr "容量已满,不能再同步/上传文件了!" #: js/files.js:82 msgid "Your storage is almost full ({usedSpacePercent}%)" -msgstr "" +msgstr "你的空间快用满了 ({usedSpacePercent}%)" #: js/files.js:231 msgid "" "Your download is being prepared. This might take some time if the files are " "big." -msgstr "" +msgstr "正在下载,可能会花点时间,跟文件大小有关" #: js/files.js:344 msgid "Invalid folder name. Usage of 'Shared' is reserved by Owncloud" -msgstr "" +msgstr "不正确文件夹名。Shared是保留名,不能使用。" #: js/files.js:744 templates/index.php:69 msgid "Name" @@ -212,26 +213,26 @@ msgstr "大小" msgid "Modified" msgstr "修改日期" -#: js/files.js:765 +#: js/files.js:763 msgid "1 folder" msgstr "1 个文件夹" -#: js/files.js:767 +#: js/files.js:765 msgid "{count} folders" msgstr "{count} 个文件夹" -#: js/files.js:775 +#: js/files.js:773 msgid "1 file" msgstr "1 个文件" -#: js/files.js:777 +#: js/files.js:775 msgid "{count} files" msgstr "{count} 个文件" #: lib/app.php:73 #, php-format msgid "%s could not be renamed" -msgstr "" +msgstr "不能重命名 %s" #: lib/helper.php:11 templates/index.php:18 msgid "Upload" @@ -287,7 +288,7 @@ msgstr "来自链接" #: templates/index.php:42 msgid "Deleted files" -msgstr "" +msgstr "已删除的文件" #: templates/index.php:48 msgid "Cancel upload" @@ -295,7 +296,7 @@ msgstr "取消上传" #: templates/index.php:54 msgid "You don’t have write permissions here." -msgstr "" +msgstr "您没有写入权限。" #: templates/index.php:61 msgid "Nothing in here. Upload something!" @@ -327,22 +328,22 @@ msgstr "正在扫描文件,请稍候." msgid "Current scanning" msgstr "正在扫描" -#: templates/part.list.php:78 +#: templates/part.list.php:74 msgid "directory" -msgstr "" +msgstr "文件夹" -#: templates/part.list.php:80 +#: templates/part.list.php:76 msgid "directories" -msgstr "" +msgstr "文件夹" -#: templates/part.list.php:89 +#: templates/part.list.php:85 msgid "file" msgstr "文件" -#: templates/part.list.php:91 +#: templates/part.list.php:87 msgid "files" msgstr "文件" #: templates/upgrade.php:2 msgid "Upgrading filesystem cache..." -msgstr "" +msgstr "升级系统缓存..." diff --git a/l10n/zh_CN.GB2312/files_external.po b/l10n/zh_CN.GB2312/files_external.po index eb57710602..b9c2d6f3ae 100644 --- a/l10n/zh_CN.GB2312/files_external.po +++ b/l10n/zh_CN.GB2312/files_external.po @@ -8,8 +8,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: hyy0591 \n" "Language-Team: Chinese (China) (GB2312) (http://www.transifex.com/projects/p/owncloud/language/zh_CN.GB2312/)\n" "MIME-Version: 1.0\n" @@ -38,20 +38,20 @@ msgstr "请提供一个有效的 Dropbox app key 和 secret。" msgid "Error configuring Google Drive storage" msgstr "配置 Google Drive 存储失败" -#: lib/config.php:431 +#: lib/config.php:447 msgid "" "Warning: \"smbclient\" is not installed. Mounting of CIFS/SMB shares " "is not possible. Please ask your system administrator to install it." msgstr "注意:“SMB客户端”未安装。CIFS/SMB分享不可用。请向您的系统管理员请求安装该客户端。" -#: lib/config.php:434 +#: lib/config.php:450 msgid "" "Warning: The FTP support in PHP is not enabled or installed. Mounting" " of FTP shares is not possible. Please ask your system administrator to " "install it." msgstr "注意:PHP的FTP支持尚未启用或未安装。FTP分享不可用。请向您的系统管理员请求安装。" -#: lib/config.php:437 +#: lib/config.php:453 msgid "" "Warning: The Curl support in PHP is not enabled or installed. " "Mounting of ownCloud / WebDAV or GoogleDrive is not possible. Please ask " diff --git a/l10n/zh_CN.GB2312/files_sharing.po b/l10n/zh_CN.GB2312/files_sharing.po index e0c82ccfdb..9894200717 100644 --- a/l10n/zh_CN.GB2312/files_sharing.po +++ b/l10n/zh_CN.GB2312/files_sharing.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:13+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: I Robot \n" "Language-Team: Chinese (China) (GB2312) (http://www.transifex.com/projects/p/owncloud/language/zh_CN.GB2312/)\n" "MIME-Version: 1.0\n" @@ -39,18 +39,18 @@ msgstr "%s 与您分享了文件夹 %s" msgid "%s shared the file %s with you" msgstr "%s 与您分享了文件 %s" -#: templates/public.php:28 templates/public.php:86 +#: templates/public.php:28 templates/public.php:90 msgid "Download" msgstr "下载" -#: templates/public.php:44 +#: templates/public.php:45 templates/public.php:48 msgid "Upload" msgstr "上传" -#: templates/public.php:54 +#: templates/public.php:58 msgid "Cancel upload" msgstr "取消上传" -#: templates/public.php:83 +#: templates/public.php:87 msgid "No preview available for" msgstr "没有预览可用于" diff --git a/l10n/zh_CN.GB2312/files_trashbin.po b/l10n/zh_CN.GB2312/files_trashbin.po index 6d62c2ec7d..637de9a4ce 100644 --- a/l10n/zh_CN.GB2312/files_trashbin.po +++ b/l10n/zh_CN.GB2312/files_trashbin.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: I Robot \n" "Language-Team: Chinese (China) (GB2312) (http://www.transifex.com/projects/p/owncloud/language/zh_CN.GB2312/)\n" "MIME-Version: 1.0\n" @@ -41,7 +41,7 @@ msgstr "" #: js/trash.js:123 msgid "Delete permanently" -msgstr "" +msgstr "永久删除" #: js/trash.js:176 templates/index.php:17 msgid "Name" diff --git a/l10n/zh_CN.GB2312/lib.po b/l10n/zh_CN.GB2312/lib.po index f3f7e9e02d..63fdc2e17b 100644 --- a/l10n/zh_CN.GB2312/lib.po +++ b/l10n/zh_CN.GB2312/lib.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:13+0000\n" +"POT-Creation-Date: 2013-07-24 01:55-0400\n" +"PO-Revision-Date: 2013-07-24 05:55+0000\n" "Last-Translator: I Robot \n" "Language-Team: Chinese (China) (GB2312) (http://www.transifex.com/projects/p/owncloud/language/zh_CN.GB2312/)\n" "MIME-Version: 1.0\n" @@ -41,27 +41,43 @@ msgstr "程序" msgid "Admin" msgstr "管理员" -#: defaults.php:33 -msgid "web services under your control" +#: app.php:844 +#, php-format +msgid "Failed to upgrade \"%s\"." msgstr "" -#: files.php:210 +#: defaults.php:33 +msgid "web services under your control" +msgstr "您控制的网络服务" + +#: files.php:66 files.php:98 +#, php-format +msgid "cannot open \"%s\"" +msgstr "" + +#: files.php:226 msgid "ZIP download is turned off." msgstr "ZIP 下载已关闭" -#: files.php:211 +#: files.php:227 msgid "Files need to be downloaded one by one." msgstr "需要逐个下载文件。" -#: files.php:212 files.php:245 +#: files.php:228 files.php:256 msgid "Back to Files" msgstr "返回到文件" -#: files.php:242 +#: files.php:253 msgid "Selected files too large to generate zip file." msgstr "选择的文件太大而不能生成 zip 文件。" -#: helper.php:236 +#: files.php:254 +msgid "" +"Download the files in smaller chunks, seperately or kindly ask your " +"administrator." +msgstr "" + +#: helper.php:235 msgid "couldn't be determined" msgstr "" @@ -170,77 +186,81 @@ msgstr "" msgid "PostgreSQL username and/or password not valid" msgstr "" -#: setup.php:42 +#: setup.php:28 msgid "Set an admin username." msgstr "" -#: setup.php:45 +#: setup.php:31 msgid "Set an admin password." msgstr "" -#: setup.php:198 +#: setup.php:184 msgid "" "Your web server is not yet properly setup to allow files synchronization " "because the WebDAV interface seems to be broken." msgstr "因WebDAV接口故障,您的网络服务器好像并未允许文件同步。" -#: setup.php:199 +#: setup.php:185 #, php-format msgid "Please double check the installation guides." msgstr "请双击安装向导。" -#: template.php:113 +#: template/functions.php:80 msgid "seconds ago" msgstr "秒前" -#: template.php:114 +#: template/functions.php:81 msgid "1 minute ago" msgstr "1 分钟前" -#: template.php:115 +#: template/functions.php:82 #, php-format msgid "%d minutes ago" msgstr "%d 分钟前" -#: template.php:116 +#: template/functions.php:83 msgid "1 hour ago" msgstr "1小时前" -#: template.php:117 +#: template/functions.php:84 #, php-format msgid "%d hours ago" msgstr "" -#: template.php:118 +#: template/functions.php:85 msgid "today" msgstr "今天" -#: template.php:119 +#: template/functions.php:86 msgid "yesterday" msgstr "昨天" -#: template.php:120 +#: template/functions.php:87 #, php-format msgid "%d days ago" msgstr "%d 天前" -#: template.php:121 +#: template/functions.php:88 msgid "last month" msgstr "上个月" -#: template.php:122 +#: template/functions.php:89 #, php-format msgid "%d months ago" msgstr "" -#: template.php:123 +#: template/functions.php:90 msgid "last year" msgstr "去年" -#: template.php:124 +#: template/functions.php:91 msgid "years ago" msgstr "年前" +#: template.php:296 +msgid "Caused by:" +msgstr "" + #: vcategories.php:188 vcategories.php:249 #, php-format msgid "Could not find category \"%s\"" diff --git a/l10n/zh_CN.GB2312/settings.po b/l10n/zh_CN.GB2312/settings.po index 1075c2ceca..b5aa2a0b1a 100644 --- a/l10n/zh_CN.GB2312/settings.po +++ b/l10n/zh_CN.GB2312/settings.po @@ -3,13 +3,14 @@ # This file is distributed under the same license as the PACKAGE package. # # Translators: +# hlx98007 , 2013 # hyy0591 , 2013 msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:55+0000\n" "Last-Translator: I Robot \n" "Language-Team: Chinese (China) (GB2312) (http://www.transifex.com/projects/p/owncloud/language/zh_CN.GB2312/)\n" "MIME-Version: 1.0\n" @@ -232,7 +233,7 @@ msgid "" "remote and sending of notification emails might also not work. We suggest to" " enable internet connection for this server if you want to have all features" " of ownCloud." -msgstr "" +msgstr "服务器没有可用的Internet连接。这意味着像挂载外部储存、更新提示和安装第三方插件等功能会失效。远程访问文件和发送邮件提醒也可能会失效。建议开启服务器的英特网网络。" #: templates/admin.php:94 msgid "Cron" @@ -274,62 +275,71 @@ msgstr "允许链接" msgid "Allow users to share items to the public with links" msgstr "允许用户通过链接共享内容" -#: templates/admin.php:152 +#: templates/admin.php:153 +msgid "Allow public uploads" +msgstr "" + +#: templates/admin.php:154 +msgid "" +"Allow users to enable others to upload into their publicly shared folders" +msgstr "" + +#: templates/admin.php:162 msgid "Allow resharing" msgstr "允许转帖" -#: templates/admin.php:153 +#: templates/admin.php:163 msgid "Allow users to share items shared with them again" msgstr "允许用户再次共享已共享的内容" -#: templates/admin.php:160 +#: templates/admin.php:170 msgid "Allow users to share with anyone" msgstr "允许用户向任何人分享" -#: templates/admin.php:163 +#: templates/admin.php:173 msgid "Allow users to only share with users in their groups" msgstr "只允许用户向所在群组中的其他用户分享" -#: templates/admin.php:170 +#: templates/admin.php:180 msgid "Security" msgstr "安全" -#: templates/admin.php:183 +#: templates/admin.php:193 msgid "Enforce HTTPS" msgstr "强制HTTPS" -#: templates/admin.php:184 +#: templates/admin.php:194 msgid "" "Enforces the clients to connect to ownCloud via an encrypted connection." msgstr "强制客户端通过加密连接与ownCloud连接" -#: templates/admin.php:187 +#: templates/admin.php:197 msgid "" "Please connect to this ownCloud instance via HTTPS to enable or disable the " "SSL enforcement." -msgstr "" +msgstr "请先使用HTTPS访问本站以设置强制SSL的开关。" -#: templates/admin.php:197 +#: templates/admin.php:207 msgid "Log" msgstr "日志" -#: templates/admin.php:198 +#: templates/admin.php:208 msgid "Log level" -msgstr "" +msgstr "日志等级" -#: templates/admin.php:229 +#: templates/admin.php:239 msgid "More" msgstr "更多" -#: templates/admin.php:230 +#: templates/admin.php:240 msgid "Less" msgstr "更少" -#: templates/admin.php:236 templates/personal.php:116 +#: templates/admin.php:246 templates/personal.php:116 msgid "Version" msgstr "版本" -#: templates/admin.php:240 templates/personal.php:119 +#: templates/admin.php:250 templates/personal.php:119 msgid "" "Developed by the ownCloud community, the access your Files via WebDAV" +msgstr "访问WebDAV请点击 此处" #: templates/users.php:21 msgid "Login Name" @@ -466,13 +479,13 @@ msgstr "新建" #: templates/users.php:36 msgid "Admin Recovery Password" -msgstr "" +msgstr "管理员恢复密码" #: templates/users.php:37 templates/users.php:38 msgid "" "Enter the recovery password in order to recover the users files during " "password change" -msgstr "" +msgstr "在恢复密码的过程中请输入恢复密钥来恢复用户数据" #: templates/users.php:42 msgid "Default Storage" diff --git a/l10n/zh_CN.GB2312/user_ldap.po b/l10n/zh_CN.GB2312/user_ldap.po index b901562be8..e7b4fdb7e7 100644 --- a/l10n/zh_CN.GB2312/user_ldap.po +++ b/l10n/zh_CN.GB2312/user_ldap.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: I Robot \n" "Language-Team: Chinese (China) (GB2312) (http://www.transifex.com/projects/p/owncloud/language/zh_CN.GB2312/)\n" "MIME-Version: 1.0\n" diff --git a/l10n/zh_CN/core.po b/l10n/zh_CN/core.po index 600c110895..8168a295a8 100644 --- a/l10n/zh_CN/core.po +++ b/l10n/zh_CN/core.po @@ -9,9 +9,9 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:12+0000\n" -"Last-Translator: m13253 \n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:04+0000\n" +"Last-Translator: I Robot \n" "Language-Team: Chinese (China) (http://www.transifex.com/projects/p/owncloud/language/zh_CN/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -139,59 +139,59 @@ msgstr "十一月" msgid "December" msgstr "十二月" -#: js/js.js:289 +#: js/js.js:293 msgid "Settings" msgstr "设置" -#: js/js.js:721 +#: js/js.js:715 msgid "seconds ago" msgstr "秒前" -#: js/js.js:722 +#: js/js.js:716 msgid "1 minute ago" msgstr "一分钟前" -#: js/js.js:723 +#: js/js.js:717 msgid "{minutes} minutes ago" msgstr "{minutes} 分钟前" -#: js/js.js:724 +#: js/js.js:718 msgid "1 hour ago" msgstr "1小时前" -#: js/js.js:725 +#: js/js.js:719 msgid "{hours} hours ago" msgstr "{hours} 小时前" -#: js/js.js:726 +#: js/js.js:720 msgid "today" msgstr "今天" -#: js/js.js:727 +#: js/js.js:721 msgid "yesterday" msgstr "昨天" -#: js/js.js:728 +#: js/js.js:722 msgid "{days} days ago" msgstr "{days} 天前" -#: js/js.js:729 +#: js/js.js:723 msgid "last month" msgstr "上月" -#: js/js.js:730 +#: js/js.js:724 msgid "{months} months ago" msgstr "{months} 月前" -#: js/js.js:731 +#: js/js.js:725 msgid "months ago" msgstr "月前" -#: js/js.js:732 +#: js/js.js:726 msgid "last year" msgstr "去年" -#: js/js.js:733 +#: js/js.js:727 msgid "years ago" msgstr "年前" @@ -227,8 +227,8 @@ msgstr "未指定对象类型。" #: js/oc-vcategories.js:14 js/oc-vcategories.js:80 js/oc-vcategories.js:95 #: js/oc-vcategories.js:110 js/oc-vcategories.js:125 js/oc-vcategories.js:136 #: js/oc-vcategories.js:172 js/oc-vcategories.js:189 js/oc-vcategories.js:195 -#: js/oc-vcategories.js:199 js/share.js:136 js/share.js:143 js/share.js:618 -#: js/share.js:630 +#: js/oc-vcategories.js:199 js/share.js:136 js/share.js:143 js/share.js:625 +#: js/share.js:637 msgid "Error" msgstr "错误" @@ -248,7 +248,7 @@ msgstr "已共享" msgid "Share" msgstr "分享" -#: js/share.js:125 js/share.js:658 +#: js/share.js:125 js/share.js:665 msgid "Error while sharing" msgstr "共享时出错" @@ -268,114 +268,114 @@ msgstr "{owner} 共享给您及 {group} 组" msgid "Shared with you by {owner}" msgstr "{owner} 与您共享" -#: js/share.js:172 +#: js/share.js:177 msgid "Share with" msgstr "分享之" -#: js/share.js:177 +#: js/share.js:182 msgid "Share with link" msgstr "共享链接" -#: js/share.js:180 +#: js/share.js:185 msgid "Password protect" msgstr "密码保护" -#: js/share.js:182 templates/installation.php:54 templates/login.php:26 +#: js/share.js:187 templates/installation.php:54 templates/login.php:26 msgid "Password" msgstr "密码" -#: js/share.js:186 +#: js/share.js:192 msgid "Allow Public Upload" msgstr "允许公开上传" -#: js/share.js:189 +#: js/share.js:196 msgid "Email link to person" msgstr "发送链接到个人" -#: js/share.js:190 +#: js/share.js:197 msgid "Send" msgstr "发送" -#: js/share.js:195 +#: js/share.js:202 msgid "Set expiration date" msgstr "设置过期日期" -#: js/share.js:196 +#: js/share.js:203 msgid "Expiration date" msgstr "过期日期" -#: js/share.js:228 +#: js/share.js:235 msgid "Share via email:" msgstr "通过Email共享" -#: js/share.js:230 +#: js/share.js:237 msgid "No people found" msgstr "未找到此人" -#: js/share.js:268 +#: js/share.js:275 msgid "Resharing is not allowed" msgstr "不允许二次共享" -#: js/share.js:304 +#: js/share.js:311 msgid "Shared in {item} with {user}" msgstr "在 {item} 与 {user} 共享。" -#: js/share.js:325 +#: js/share.js:332 msgid "Unshare" msgstr "取消共享" -#: js/share.js:337 +#: js/share.js:344 msgid "can edit" msgstr "可以修改" -#: js/share.js:339 +#: js/share.js:346 msgid "access control" msgstr "访问控制" -#: js/share.js:342 +#: js/share.js:349 msgid "create" msgstr "创建" -#: js/share.js:345 +#: js/share.js:352 msgid "update" msgstr "更新" -#: js/share.js:348 +#: js/share.js:355 msgid "delete" msgstr "删除" -#: js/share.js:351 +#: js/share.js:358 msgid "share" msgstr "共享" -#: js/share.js:385 js/share.js:605 +#: js/share.js:392 js/share.js:612 msgid "Password protected" msgstr "密码已受保护" -#: js/share.js:618 +#: js/share.js:625 msgid "Error unsetting expiration date" msgstr "取消设置过期日期时出错" -#: js/share.js:630 +#: js/share.js:637 msgid "Error setting expiration date" msgstr "设置过期日期时出错" -#: js/share.js:645 +#: js/share.js:652 msgid "Sending ..." msgstr "正在发送..." -#: js/share.js:656 +#: js/share.js:663 msgid "Email sent" msgstr "邮件已发送" -#: js/update.js:14 +#: js/update.js:17 msgid "" "The update was unsuccessful. Please report this issue to the ownCloud " "community." msgstr "更新不成功。请汇报将此问题汇报给 ownCloud 社区。" -#: js/update.js:18 +#: js/update.js:21 msgid "The update was successful. Redirecting you to ownCloud now." msgstr "更新成功。正在重定向至 ownCloud。" @@ -467,7 +467,7 @@ msgstr "访问禁止" msgid "Cloud not found" msgstr "未找到云" -#: templates/altmail.php:2 +#: templates/altmail.php:4 #, php-format msgid "" "Hey there,\n" @@ -478,10 +478,6 @@ msgid "" "Cheers!" msgstr "您好,\n\n%s 向您分享了 %s。\n查看: %s" -#: templates/altmail.php:7 templates/mail.php:24 -msgid "web services under your control" -msgstr "您控制的web服务" - #: templates/edit_categories_dialog.php:4 msgid "Edit categories" msgstr "编辑分类" @@ -613,7 +609,7 @@ msgstr "登录" msgid "Alternative Logins" msgstr "其他登录方式" -#: templates/mail.php:15 +#: templates/mail.php:16 #, php-format msgid "" "Hey there,

    just letting you know that %s shared »%s« with you.
    \n" "Language-Team: Chinese (China) (http://www.transifex.com/projects/p/owncloud/language/zh_CN/)\n" "MIME-Version: 1.0\n" @@ -30,54 +30,54 @@ msgstr "无法移动 %s - 同名文件已存在" msgid "Could not move %s" msgstr "无法移动 %s" -#: ajax/upload.php:16 ajax/upload.php:39 +#: ajax/upload.php:16 ajax/upload.php:45 msgid "Unable to set upload directory." msgstr "无法设置上传文件夹。" -#: ajax/upload.php:23 +#: ajax/upload.php:22 msgid "Invalid Token" msgstr "无效密匙" -#: ajax/upload.php:55 +#: ajax/upload.php:59 msgid "No file was uploaded. Unknown error" msgstr "没有文件被上传。未知错误" -#: ajax/upload.php:62 +#: ajax/upload.php:66 msgid "There is no error, the file uploaded with success" msgstr "文件上传成功,没有错误发生" -#: ajax/upload.php:63 +#: ajax/upload.php:67 msgid "" "The uploaded file exceeds the upload_max_filesize directive in php.ini: " msgstr "上传文件大小已超过php.ini中upload_max_filesize所规定的值" -#: ajax/upload.php:65 +#: ajax/upload.php:69 msgid "" "The uploaded file exceeds the MAX_FILE_SIZE directive that was specified in " "the HTML form" msgstr "上传的文件长度超出了 HTML 表单中 MAX_FILE_SIZE 的限制" -#: ajax/upload.php:66 +#: ajax/upload.php:70 msgid "The uploaded file was only partially uploaded" msgstr "已上传文件只上传了部分(不完整)" -#: ajax/upload.php:67 +#: ajax/upload.php:71 msgid "No file was uploaded" msgstr "没有文件被上传" -#: ajax/upload.php:68 +#: ajax/upload.php:72 msgid "Missing a temporary folder" msgstr "缺少临时目录" -#: ajax/upload.php:69 +#: ajax/upload.php:73 msgid "Failed to write to disk" msgstr "写入磁盘失败" -#: ajax/upload.php:87 +#: ajax/upload.php:91 msgid "Not enough storage available" msgstr "没有足够的存储空间" -#: ajax/upload.php:119 +#: ajax/upload.php:123 msgid "Invalid directory." msgstr "无效文件夹。" @@ -131,43 +131,43 @@ msgstr "删除" msgid "Rename" msgstr "重命名" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:464 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:465 msgid "Pending" msgstr "等待" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "{new_name} already exists" msgstr "{new_name} 已存在" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "replace" msgstr "替换" -#: js/filelist.js:302 +#: js/filelist.js:303 msgid "suggest name" msgstr "建议名称" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "cancel" msgstr "取消" -#: js/filelist.js:349 +#: js/filelist.js:350 msgid "replaced {new_name} with {old_name}" msgstr "已将 {old_name}替换成 {new_name}" -#: js/filelist.js:349 +#: js/filelist.js:350 msgid "undo" msgstr "撤销" -#: js/filelist.js:374 +#: js/filelist.js:375 msgid "perform delete operation" msgstr "进行删除操作" -#: js/filelist.js:456 +#: js/filelist.js:457 msgid "1 file uploading" msgstr "1个文件上传中" -#: js/filelist.js:459 js/filelist.js:517 +#: js/filelist.js:460 js/filelist.js:518 msgid "files uploading" msgstr "文件上传中" @@ -215,19 +215,19 @@ msgstr "大小" msgid "Modified" msgstr "修改日期" -#: js/files.js:765 +#: js/files.js:763 msgid "1 folder" msgstr "1个文件夹" -#: js/files.js:767 +#: js/files.js:765 msgid "{count} folders" msgstr "{count} 个文件夹" -#: js/files.js:775 +#: js/files.js:773 msgid "1 file" msgstr "1 个文件" -#: js/files.js:777 +#: js/files.js:775 msgid "{count} files" msgstr "{count} 个文件" @@ -330,19 +330,19 @@ msgstr "文件正在被扫描,请稍候。" msgid "Current scanning" msgstr "当前扫描" -#: templates/part.list.php:78 +#: templates/part.list.php:74 msgid "directory" msgstr "" -#: templates/part.list.php:80 +#: templates/part.list.php:76 msgid "directories" msgstr "" -#: templates/part.list.php:89 +#: templates/part.list.php:85 msgid "file" msgstr "文件" -#: templates/part.list.php:91 +#: templates/part.list.php:87 msgid "files" msgstr "文件" diff --git a/l10n/zh_CN/files_external.po b/l10n/zh_CN/files_external.po index 1d0b157fb9..10f2bcf69e 100644 --- a/l10n/zh_CN/files_external.po +++ b/l10n/zh_CN/files_external.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: I Robot \n" "Language-Team: Chinese (China) (http://www.transifex.com/projects/p/owncloud/language/zh_CN/)\n" "MIME-Version: 1.0\n" @@ -37,20 +37,20 @@ msgstr "请提供有效的Dropbox应用key和secret" msgid "Error configuring Google Drive storage" msgstr "配置Google Drive存储时出错" -#: lib/config.php:431 +#: lib/config.php:447 msgid "" "Warning: \"smbclient\" is not installed. Mounting of CIFS/SMB shares " "is not possible. Please ask your system administrator to install it." msgstr "警告:“smbclient” 尚未安装。CIFS/SMB 分享挂载无法实现。请咨询系统管理员进行安装。" -#: lib/config.php:434 +#: lib/config.php:450 msgid "" "Warning: The FTP support in PHP is not enabled or installed. Mounting" " of FTP shares is not possible. Please ask your system administrator to " "install it." msgstr "警告:PHP中尚未启用或安装FTP。FTP 分享挂载无法实现。请咨询系统管理员进行安装。" -#: lib/config.php:437 +#: lib/config.php:453 msgid "" "Warning: The Curl support in PHP is not enabled or installed. " "Mounting of ownCloud / WebDAV or GoogleDrive is not possible. Please ask " diff --git a/l10n/zh_CN/files_sharing.po b/l10n/zh_CN/files_sharing.po index 1969675a0e..8b9f31ec90 100644 --- a/l10n/zh_CN/files_sharing.po +++ b/l10n/zh_CN/files_sharing.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:13+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: I Robot \n" "Language-Team: Chinese (China) (http://www.transifex.com/projects/p/owncloud/language/zh_CN/)\n" "MIME-Version: 1.0\n" @@ -39,18 +39,18 @@ msgstr "%s与您共享了%s文件夹" msgid "%s shared the file %s with you" msgstr "%s与您共享了%s文件" -#: templates/public.php:28 templates/public.php:86 +#: templates/public.php:28 templates/public.php:90 msgid "Download" msgstr "下载" -#: templates/public.php:44 +#: templates/public.php:45 templates/public.php:48 msgid "Upload" msgstr "上传" -#: templates/public.php:54 +#: templates/public.php:58 msgid "Cancel upload" msgstr "取消上传" -#: templates/public.php:83 +#: templates/public.php:87 msgid "No preview available for" msgstr "没有预览" diff --git a/l10n/zh_CN/files_trashbin.po b/l10n/zh_CN/files_trashbin.po index f5ff36f185..c0495aff70 100644 --- a/l10n/zh_CN/files_trashbin.po +++ b/l10n/zh_CN/files_trashbin.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: I Robot \n" "Language-Team: Chinese (China) (http://www.transifex.com/projects/p/owncloud/language/zh_CN/)\n" "MIME-Version: 1.0\n" diff --git a/l10n/zh_CN/lib.po b/l10n/zh_CN/lib.po index 87f97f1d9d..35a0efd7f0 100644 --- a/l10n/zh_CN/lib.po +++ b/l10n/zh_CN/lib.po @@ -8,8 +8,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:13+0000\n" +"POT-Creation-Date: 2013-07-24 01:55-0400\n" +"PO-Revision-Date: 2013-07-24 05:55+0000\n" "Last-Translator: I Robot \n" "Language-Team: Chinese (China) (http://www.transifex.com/projects/p/owncloud/language/zh_CN/)\n" "MIME-Version: 1.0\n" @@ -42,27 +42,43 @@ msgstr "应用" msgid "Admin" msgstr "管理" -#: defaults.php:33 -msgid "web services under your control" +#: app.php:844 +#, php-format +msgid "Failed to upgrade \"%s\"." msgstr "" -#: files.php:210 +#: defaults.php:33 +msgid "web services under your control" +msgstr "您控制的web服务" + +#: files.php:66 files.php:98 +#, php-format +msgid "cannot open \"%s\"" +msgstr "" + +#: files.php:226 msgid "ZIP download is turned off." msgstr "ZIP 下载已经关闭" -#: files.php:211 +#: files.php:227 msgid "Files need to be downloaded one by one." msgstr "需要逐一下载文件" -#: files.php:212 files.php:245 +#: files.php:228 files.php:256 msgid "Back to Files" msgstr "回到文件" -#: files.php:242 +#: files.php:253 msgid "Selected files too large to generate zip file." msgstr "选择的文件太大,无法生成 zip 文件。" -#: helper.php:236 +#: files.php:254 +msgid "" +"Download the files in smaller chunks, seperately or kindly ask your " +"administrator." +msgstr "" + +#: helper.php:235 msgid "couldn't be determined" msgstr "无法确定" @@ -171,77 +187,81 @@ msgstr "冲突命令为:\"%s\",名称:%s,密码:%s" msgid "PostgreSQL username and/or password not valid" msgstr "PostgreSQL 数据库用户名和/或密码无效" -#: setup.php:42 +#: setup.php:28 msgid "Set an admin username." msgstr "请设置一个管理员用户名。" -#: setup.php:45 +#: setup.php:31 msgid "Set an admin password." msgstr "请设置一个管理员密码。" -#: setup.php:198 +#: setup.php:184 msgid "" "Your web server is not yet properly setup to allow files synchronization " "because the WebDAV interface seems to be broken." msgstr "您的Web服务器尚未正确设置以允许文件同步, 因为WebDAV的接口似乎已损坏." -#: setup.php:199 +#: setup.php:185 #, php-format msgid "Please double check the installation guides." msgstr "请认真检查安装指南." -#: template.php:113 +#: template/functions.php:80 msgid "seconds ago" msgstr "秒前" -#: template.php:114 +#: template/functions.php:81 msgid "1 minute ago" msgstr "一分钟前" -#: template.php:115 +#: template/functions.php:82 #, php-format msgid "%d minutes ago" msgstr "%d 分钟前" -#: template.php:116 +#: template/functions.php:83 msgid "1 hour ago" msgstr "1小时前" -#: template.php:117 +#: template/functions.php:84 #, php-format msgid "%d hours ago" msgstr "%d小时前" -#: template.php:118 +#: template/functions.php:85 msgid "today" msgstr "今天" -#: template.php:119 +#: template/functions.php:86 msgid "yesterday" msgstr "昨天" -#: template.php:120 +#: template/functions.php:87 #, php-format msgid "%d days ago" msgstr "%d 天前" -#: template.php:121 +#: template/functions.php:88 msgid "last month" msgstr "上月" -#: template.php:122 +#: template/functions.php:89 #, php-format msgid "%d months ago" msgstr "%d 月前" -#: template.php:123 +#: template/functions.php:90 msgid "last year" msgstr "去年" -#: template.php:124 +#: template/functions.php:91 msgid "years ago" msgstr "年前" +#: template.php:296 +msgid "Caused by:" +msgstr "" + #: vcategories.php:188 vcategories.php:249 #, php-format msgid "Could not find category \"%s\"" diff --git a/l10n/zh_CN/settings.po b/l10n/zh_CN/settings.po index bd4e9b0025..a92c475976 100644 --- a/l10n/zh_CN/settings.po +++ b/l10n/zh_CN/settings.po @@ -10,9 +10,9 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" -"Last-Translator: m13253 \n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:55+0000\n" +"Last-Translator: I Robot \n" "Language-Team: Chinese (China) (http://www.transifex.com/projects/p/owncloud/language/zh_CN/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -276,62 +276,71 @@ msgstr "允许链接" msgid "Allow users to share items to the public with links" msgstr "允许用户使用连接公开共享项目" -#: templates/admin.php:152 +#: templates/admin.php:153 +msgid "Allow public uploads" +msgstr "" + +#: templates/admin.php:154 +msgid "" +"Allow users to enable others to upload into their publicly shared folders" +msgstr "" + +#: templates/admin.php:162 msgid "Allow resharing" msgstr "允许再次共享" -#: templates/admin.php:153 +#: templates/admin.php:163 msgid "Allow users to share items shared with them again" msgstr "允许用户将共享给他们的项目再次共享" -#: templates/admin.php:160 +#: templates/admin.php:170 msgid "Allow users to share with anyone" msgstr "允许用户向任何人共享" -#: templates/admin.php:163 +#: templates/admin.php:173 msgid "Allow users to only share with users in their groups" msgstr "允许用户只向同组用户共享" -#: templates/admin.php:170 +#: templates/admin.php:180 msgid "Security" msgstr "安全" -#: templates/admin.php:183 +#: templates/admin.php:193 msgid "Enforce HTTPS" msgstr "强制使用 HTTPS" -#: templates/admin.php:184 +#: templates/admin.php:194 msgid "" "Enforces the clients to connect to ownCloud via an encrypted connection." msgstr "强制客户端通过加密连接连接到 ownCloud。" -#: templates/admin.php:187 +#: templates/admin.php:197 msgid "" "Please connect to this ownCloud instance via HTTPS to enable or disable the " "SSL enforcement." msgstr "请经由HTTPS连接到这个ownCloud实例来启用或禁用强制SSL." -#: templates/admin.php:197 +#: templates/admin.php:207 msgid "Log" msgstr "日志" -#: templates/admin.php:198 +#: templates/admin.php:208 msgid "Log level" msgstr "日志级别" -#: templates/admin.php:229 +#: templates/admin.php:239 msgid "More" msgstr "更多" -#: templates/admin.php:230 +#: templates/admin.php:240 msgid "Less" msgstr "更少" -#: templates/admin.php:236 templates/personal.php:116 +#: templates/admin.php:246 templates/personal.php:116 msgid "Version" msgstr "版本" -#: templates/admin.php:240 templates/personal.php:119 +#: templates/admin.php:250 templates/personal.php:119 msgid "" "Developed by the ownCloud community, the access your Files via WebDAV" +msgstr "" #: templates/users.php:21 msgid "Login Name" diff --git a/l10n/zh_CN/user_ldap.po b/l10n/zh_CN/user_ldap.po index c7a202b38e..65721f6709 100644 --- a/l10n/zh_CN/user_ldap.po +++ b/l10n/zh_CN/user_ldap.po @@ -8,8 +8,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: modokwang \n" "Language-Team: Chinese (China) (http://www.transifex.com/projects/p/owncloud/language/zh_CN/)\n" "MIME-Version: 1.0\n" diff --git a/l10n/zh_HK/core.po b/l10n/zh_HK/core.po index 8d2f53e119..5deae49e59 100644 --- a/l10n/zh_HK/core.po +++ b/l10n/zh_HK/core.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:12+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:04+0000\n" "Last-Translator: I Robot \n" "Language-Team: Chinese (Hong Kong) (http://www.transifex.com/projects/p/owncloud/language/zh_HK/)\n" "MIME-Version: 1.0\n" @@ -137,59 +137,59 @@ msgstr "十一月" msgid "December" msgstr "十二月" -#: js/js.js:289 +#: js/js.js:293 msgid "Settings" msgstr "設定" -#: js/js.js:721 +#: js/js.js:715 msgid "seconds ago" msgstr "" -#: js/js.js:722 +#: js/js.js:716 msgid "1 minute ago" msgstr "" -#: js/js.js:723 +#: js/js.js:717 msgid "{minutes} minutes ago" msgstr "" -#: js/js.js:724 +#: js/js.js:718 msgid "1 hour ago" msgstr "" -#: js/js.js:725 +#: js/js.js:719 msgid "{hours} hours ago" msgstr "" -#: js/js.js:726 +#: js/js.js:720 msgid "today" msgstr "今日" -#: js/js.js:727 +#: js/js.js:721 msgid "yesterday" msgstr "昨日" -#: js/js.js:728 +#: js/js.js:722 msgid "{days} days ago" msgstr "" -#: js/js.js:729 +#: js/js.js:723 msgid "last month" msgstr "前一月" -#: js/js.js:730 +#: js/js.js:724 msgid "{months} months ago" msgstr "" -#: js/js.js:731 +#: js/js.js:725 msgid "months ago" msgstr "個月之前" -#: js/js.js:732 +#: js/js.js:726 msgid "last year" msgstr "" -#: js/js.js:733 +#: js/js.js:727 msgid "years ago" msgstr "" @@ -225,8 +225,8 @@ msgstr "" #: js/oc-vcategories.js:14 js/oc-vcategories.js:80 js/oc-vcategories.js:95 #: js/oc-vcategories.js:110 js/oc-vcategories.js:125 js/oc-vcategories.js:136 #: js/oc-vcategories.js:172 js/oc-vcategories.js:189 js/oc-vcategories.js:195 -#: js/oc-vcategories.js:199 js/share.js:136 js/share.js:143 js/share.js:618 -#: js/share.js:630 +#: js/oc-vcategories.js:199 js/share.js:136 js/share.js:143 js/share.js:625 +#: js/share.js:637 msgid "Error" msgstr "錯誤" @@ -246,7 +246,7 @@ msgstr "已分享" msgid "Share" msgstr "分享" -#: js/share.js:125 js/share.js:658 +#: js/share.js:125 js/share.js:665 msgid "Error while sharing" msgstr "分享時發生錯誤" @@ -266,114 +266,114 @@ msgstr "{owner}與你及群組的分享" msgid "Shared with you by {owner}" msgstr "{owner}與你的分享" -#: js/share.js:172 +#: js/share.js:177 msgid "Share with" msgstr "分享" -#: js/share.js:177 +#: js/share.js:182 msgid "Share with link" msgstr "以連結分享" -#: js/share.js:180 +#: js/share.js:185 msgid "Password protect" msgstr "密碼保護" -#: js/share.js:182 templates/installation.php:54 templates/login.php:26 +#: js/share.js:187 templates/installation.php:54 templates/login.php:26 msgid "Password" msgstr "密碼" -#: js/share.js:186 +#: js/share.js:192 msgid "Allow Public Upload" msgstr "" -#: js/share.js:189 +#: js/share.js:196 msgid "Email link to person" msgstr "" -#: js/share.js:190 +#: js/share.js:197 msgid "Send" msgstr "傳送" -#: js/share.js:195 +#: js/share.js:202 msgid "Set expiration date" msgstr "設定分享期限" -#: js/share.js:196 +#: js/share.js:203 msgid "Expiration date" msgstr "分享期限" -#: js/share.js:228 +#: js/share.js:235 msgid "Share via email:" msgstr "以電郵分享" -#: js/share.js:230 +#: js/share.js:237 msgid "No people found" msgstr "找不到" -#: js/share.js:268 +#: js/share.js:275 msgid "Resharing is not allowed" msgstr "" -#: js/share.js:304 +#: js/share.js:311 msgid "Shared in {item} with {user}" msgstr "" -#: js/share.js:325 +#: js/share.js:332 msgid "Unshare" msgstr "取消分享" -#: js/share.js:337 +#: js/share.js:344 msgid "can edit" msgstr "" -#: js/share.js:339 +#: js/share.js:346 msgid "access control" msgstr "" -#: js/share.js:342 +#: js/share.js:349 msgid "create" msgstr "新增" -#: js/share.js:345 +#: js/share.js:352 msgid "update" msgstr "更新" -#: js/share.js:348 +#: js/share.js:355 msgid "delete" msgstr "刪除" -#: js/share.js:351 +#: js/share.js:358 msgid "share" msgstr "分享" -#: js/share.js:385 js/share.js:605 +#: js/share.js:392 js/share.js:612 msgid "Password protected" msgstr "密碼保護" -#: js/share.js:618 +#: js/share.js:625 msgid "Error unsetting expiration date" msgstr "" -#: js/share.js:630 +#: js/share.js:637 msgid "Error setting expiration date" msgstr "" -#: js/share.js:645 +#: js/share.js:652 msgid "Sending ..." msgstr "傳送中" -#: js/share.js:656 +#: js/share.js:663 msgid "Email sent" msgstr "郵件已傳" -#: js/update.js:14 +#: js/update.js:17 msgid "" "The update was unsuccessful. Please report this issue to the ownCloud " "community." msgstr "" -#: js/update.js:18 +#: js/update.js:21 msgid "The update was successful. Redirecting you to ownCloud now." msgstr "更新成功, 正" @@ -465,7 +465,7 @@ msgstr "" msgid "Cloud not found" msgstr "未找到Cloud" -#: templates/altmail.php:2 +#: templates/altmail.php:4 #, php-format msgid "" "Hey there,\n" @@ -476,10 +476,6 @@ msgid "" "Cheers!" msgstr "" -#: templates/altmail.php:7 templates/mail.php:24 -msgid "web services under your control" -msgstr "" - #: templates/edit_categories_dialog.php:4 msgid "Edit categories" msgstr "" @@ -611,7 +607,7 @@ msgstr "登入" msgid "Alternative Logins" msgstr "" -#: templates/mail.php:15 +#: templates/mail.php:16 #, php-format msgid "" "Hey there,

    just letting you know that %s shared »%s« with you.
    \n" "Language-Team: Chinese (Hong Kong) (http://www.transifex.com/projects/p/owncloud/language/zh_HK/)\n" "MIME-Version: 1.0\n" @@ -27,54 +27,54 @@ msgstr "" msgid "Could not move %s" msgstr "" -#: ajax/upload.php:16 ajax/upload.php:39 +#: ajax/upload.php:16 ajax/upload.php:45 msgid "Unable to set upload directory." msgstr "" -#: ajax/upload.php:23 +#: ajax/upload.php:22 msgid "Invalid Token" msgstr "" -#: ajax/upload.php:55 +#: ajax/upload.php:59 msgid "No file was uploaded. Unknown error" msgstr "" -#: ajax/upload.php:62 +#: ajax/upload.php:66 msgid "There is no error, the file uploaded with success" msgstr "" -#: ajax/upload.php:63 +#: ajax/upload.php:67 msgid "" "The uploaded file exceeds the upload_max_filesize directive in php.ini: " msgstr "" -#: ajax/upload.php:65 +#: ajax/upload.php:69 msgid "" "The uploaded file exceeds the MAX_FILE_SIZE directive that was specified in " "the HTML form" msgstr "" -#: ajax/upload.php:66 +#: ajax/upload.php:70 msgid "The uploaded file was only partially uploaded" msgstr "" -#: ajax/upload.php:67 +#: ajax/upload.php:71 msgid "No file was uploaded" msgstr "" -#: ajax/upload.php:68 +#: ajax/upload.php:72 msgid "Missing a temporary folder" msgstr "" -#: ajax/upload.php:69 +#: ajax/upload.php:73 msgid "Failed to write to disk" msgstr "" -#: ajax/upload.php:87 +#: ajax/upload.php:91 msgid "Not enough storage available" msgstr "" -#: ajax/upload.php:119 +#: ajax/upload.php:123 msgid "Invalid directory." msgstr "" @@ -128,43 +128,43 @@ msgstr "刪除" msgid "Rename" msgstr "" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:464 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:465 msgid "Pending" msgstr "" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "{new_name} already exists" msgstr "" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "replace" msgstr "" -#: js/filelist.js:302 +#: js/filelist.js:303 msgid "suggest name" msgstr "" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "cancel" msgstr "" -#: js/filelist.js:349 +#: js/filelist.js:350 msgid "replaced {new_name} with {old_name}" msgstr "" -#: js/filelist.js:349 +#: js/filelist.js:350 msgid "undo" msgstr "" -#: js/filelist.js:374 +#: js/filelist.js:375 msgid "perform delete operation" msgstr "" -#: js/filelist.js:456 +#: js/filelist.js:457 msgid "1 file uploading" msgstr "" -#: js/filelist.js:459 js/filelist.js:517 +#: js/filelist.js:460 js/filelist.js:518 msgid "files uploading" msgstr "" @@ -212,19 +212,19 @@ msgstr "" msgid "Modified" msgstr "" -#: js/files.js:765 +#: js/files.js:763 msgid "1 folder" msgstr "" -#: js/files.js:767 +#: js/files.js:765 msgid "{count} folders" msgstr "{}文件夾" -#: js/files.js:775 +#: js/files.js:773 msgid "1 file" msgstr "" -#: js/files.js:777 +#: js/files.js:775 msgid "{count} files" msgstr "" @@ -327,19 +327,19 @@ msgstr "" msgid "Current scanning" msgstr "" -#: templates/part.list.php:78 +#: templates/part.list.php:74 msgid "directory" msgstr "" -#: templates/part.list.php:80 +#: templates/part.list.php:76 msgid "directories" msgstr "" -#: templates/part.list.php:89 +#: templates/part.list.php:85 msgid "file" msgstr "" -#: templates/part.list.php:91 +#: templates/part.list.php:87 msgid "files" msgstr "" diff --git a/l10n/zh_HK/files_external.po b/l10n/zh_HK/files_external.po index 8915ed5998..075e0e7753 100644 --- a/l10n/zh_HK/files_external.po +++ b/l10n/zh_HK/files_external.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: I Robot \n" "Language-Team: Chinese (Hong Kong) (http://www.transifex.com/projects/p/owncloud/language/zh_HK/)\n" "MIME-Version: 1.0\n" @@ -37,20 +37,20 @@ msgstr "" msgid "Error configuring Google Drive storage" msgstr "" -#: lib/config.php:431 +#: lib/config.php:447 msgid "" "Warning: \"smbclient\" is not installed. Mounting of CIFS/SMB shares " "is not possible. Please ask your system administrator to install it." msgstr "" -#: lib/config.php:434 +#: lib/config.php:450 msgid "" "Warning: The FTP support in PHP is not enabled or installed. Mounting" " of FTP shares is not possible. Please ask your system administrator to " "install it." msgstr "" -#: lib/config.php:437 +#: lib/config.php:453 msgid "" "Warning: The Curl support in PHP is not enabled or installed. " "Mounting of ownCloud / WebDAV or GoogleDrive is not possible. Please ask " diff --git a/l10n/zh_HK/files_sharing.po b/l10n/zh_HK/files_sharing.po index 29cc944909..71a63b6ac2 100644 --- a/l10n/zh_HK/files_sharing.po +++ b/l10n/zh_HK/files_sharing.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:13+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: I Robot \n" "Language-Team: Chinese (Hong Kong) (http://www.transifex.com/projects/p/owncloud/language/zh_HK/)\n" "MIME-Version: 1.0\n" @@ -39,18 +39,18 @@ msgstr "" msgid "%s shared the file %s with you" msgstr "" -#: templates/public.php:28 templates/public.php:86 +#: templates/public.php:28 templates/public.php:90 msgid "Download" msgstr "下載" -#: templates/public.php:44 +#: templates/public.php:45 templates/public.php:48 msgid "Upload" msgstr "上傳" -#: templates/public.php:54 +#: templates/public.php:58 msgid "Cancel upload" msgstr "" -#: templates/public.php:83 +#: templates/public.php:87 msgid "No preview available for" msgstr "" diff --git a/l10n/zh_HK/files_trashbin.po b/l10n/zh_HK/files_trashbin.po index 11e1c0a3a6..76520fc0f9 100644 --- a/l10n/zh_HK/files_trashbin.po +++ b/l10n/zh_HK/files_trashbin.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: I Robot \n" "Language-Team: Chinese (Hong Kong) (http://www.transifex.com/projects/p/owncloud/language/zh_HK/)\n" "MIME-Version: 1.0\n" diff --git a/l10n/zh_HK/lib.po b/l10n/zh_HK/lib.po index b214357aa7..e6c8651e5c 100644 --- a/l10n/zh_HK/lib.po +++ b/l10n/zh_HK/lib.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:13+0000\n" +"POT-Creation-Date: 2013-07-24 01:55-0400\n" +"PO-Revision-Date: 2013-07-24 05:55+0000\n" "Last-Translator: I Robot \n" "Language-Team: Chinese (Hong Kong) (http://www.transifex.com/projects/p/owncloud/language/zh_HK/)\n" "MIME-Version: 1.0\n" @@ -41,27 +41,43 @@ msgstr "軟件" msgid "Admin" msgstr "管理" +#: app.php:844 +#, php-format +msgid "Failed to upgrade \"%s\"." +msgstr "" + #: defaults.php:33 msgid "web services under your control" msgstr "" -#: files.php:210 +#: files.php:66 files.php:98 +#, php-format +msgid "cannot open \"%s\"" +msgstr "" + +#: files.php:226 msgid "ZIP download is turned off." msgstr "" -#: files.php:211 +#: files.php:227 msgid "Files need to be downloaded one by one." msgstr "" -#: files.php:212 files.php:245 +#: files.php:228 files.php:256 msgid "Back to Files" msgstr "" -#: files.php:242 +#: files.php:253 msgid "Selected files too large to generate zip file." msgstr "" -#: helper.php:236 +#: files.php:254 +msgid "" +"Download the files in smaller chunks, seperately or kindly ask your " +"administrator." +msgstr "" + +#: helper.php:235 msgid "couldn't be determined" msgstr "" @@ -170,77 +186,81 @@ msgstr "" msgid "PostgreSQL username and/or password not valid" msgstr "" -#: setup.php:42 +#: setup.php:28 msgid "Set an admin username." msgstr "" -#: setup.php:45 +#: setup.php:31 msgid "Set an admin password." msgstr "" -#: setup.php:198 +#: setup.php:184 msgid "" "Your web server is not yet properly setup to allow files synchronization " "because the WebDAV interface seems to be broken." msgstr "" -#: setup.php:199 +#: setup.php:185 #, php-format msgid "Please double check the installation guides." msgstr "" -#: template.php:113 +#: template/functions.php:80 msgid "seconds ago" msgstr "" -#: template.php:114 +#: template/functions.php:81 msgid "1 minute ago" msgstr "" -#: template.php:115 +#: template/functions.php:82 #, php-format msgid "%d minutes ago" msgstr "" -#: template.php:116 +#: template/functions.php:83 msgid "1 hour ago" msgstr "" -#: template.php:117 +#: template/functions.php:84 #, php-format msgid "%d hours ago" msgstr "" -#: template.php:118 +#: template/functions.php:85 msgid "today" msgstr "今日" -#: template.php:119 +#: template/functions.php:86 msgid "yesterday" msgstr "昨日" -#: template.php:120 +#: template/functions.php:87 #, php-format msgid "%d days ago" msgstr "" -#: template.php:121 +#: template/functions.php:88 msgid "last month" msgstr "前一月" -#: template.php:122 +#: template/functions.php:89 #, php-format msgid "%d months ago" msgstr "" -#: template.php:123 +#: template/functions.php:90 msgid "last year" msgstr "" -#: template.php:124 +#: template/functions.php:91 msgid "years ago" msgstr "" +#: template.php:296 +msgid "Caused by:" +msgstr "" + #: vcategories.php:188 vcategories.php:249 #, php-format msgid "Could not find category \"%s\"" diff --git a/l10n/zh_HK/settings.po b/l10n/zh_HK/settings.po index c576c2b799..4dc84b81ec 100644 --- a/l10n/zh_HK/settings.po +++ b/l10n/zh_HK/settings.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:55+0000\n" "Last-Translator: I Robot \n" "Language-Team: Chinese (Hong Kong) (http://www.transifex.com/projects/p/owncloud/language/zh_HK/)\n" "MIME-Version: 1.0\n" @@ -273,62 +273,71 @@ msgstr "" msgid "Allow users to share items to the public with links" msgstr "" -#: templates/admin.php:152 +#: templates/admin.php:153 +msgid "Allow public uploads" +msgstr "" + +#: templates/admin.php:154 +msgid "" +"Allow users to enable others to upload into their publicly shared folders" +msgstr "" + +#: templates/admin.php:162 msgid "Allow resharing" msgstr "" -#: templates/admin.php:153 +#: templates/admin.php:163 msgid "Allow users to share items shared with them again" msgstr "" -#: templates/admin.php:160 +#: templates/admin.php:170 msgid "Allow users to share with anyone" msgstr "" -#: templates/admin.php:163 +#: templates/admin.php:173 msgid "Allow users to only share with users in their groups" msgstr "" -#: templates/admin.php:170 +#: templates/admin.php:180 msgid "Security" msgstr "" -#: templates/admin.php:183 +#: templates/admin.php:193 msgid "Enforce HTTPS" msgstr "" -#: templates/admin.php:184 +#: templates/admin.php:194 msgid "" "Enforces the clients to connect to ownCloud via an encrypted connection." msgstr "" -#: templates/admin.php:187 +#: templates/admin.php:197 msgid "" "Please connect to this ownCloud instance via HTTPS to enable or disable the " "SSL enforcement." msgstr "" -#: templates/admin.php:197 +#: templates/admin.php:207 msgid "Log" msgstr "" -#: templates/admin.php:198 +#: templates/admin.php:208 msgid "Log level" msgstr "" -#: templates/admin.php:229 +#: templates/admin.php:239 msgid "More" msgstr "" -#: templates/admin.php:230 +#: templates/admin.php:240 msgid "Less" msgstr "" -#: templates/admin.php:236 templates/personal.php:116 +#: templates/admin.php:246 templates/personal.php:116 msgid "Version" msgstr "" -#: templates/admin.php:240 templates/personal.php:119 +#: templates/admin.php:250 templates/personal.php:119 msgid "" "Developed by the ownCloud community, the access your Files via WebDAV" msgstr "" #: templates/users.php:21 diff --git a/l10n/zh_HK/user_ldap.po b/l10n/zh_HK/user_ldap.po index 5392bcbf5e..a27ec46154 100644 --- a/l10n/zh_HK/user_ldap.po +++ b/l10n/zh_HK/user_ldap.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: I Robot \n" "Language-Team: Chinese (Hong Kong) (http://www.transifex.com/projects/p/owncloud/language/zh_HK/)\n" "MIME-Version: 1.0\n" diff --git a/l10n/zh_TW/core.po b/l10n/zh_TW/core.po index f2320794fc..599e547470 100644 --- a/l10n/zh_TW/core.po +++ b/l10n/zh_TW/core.po @@ -9,9 +9,9 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:12+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:04+0000\n" +"Last-Translator: pellaeon \n" "Language-Team: Chinese (Taiwan) (http://www.transifex.com/projects/p/owncloud/language/zh_TW/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -22,7 +22,7 @@ msgstr "" #: ajax/share.php:97 #, php-format msgid "%s shared »%s« with you" -msgstr "" +msgstr "%s 與您分享了 %s" #: ajax/vcategories/add.php:26 ajax/vcategories/edit.php:25 msgid "Category type not provided." @@ -139,59 +139,59 @@ msgstr "十一月" msgid "December" msgstr "十二月" -#: js/js.js:289 +#: js/js.js:293 msgid "Settings" msgstr "設定" -#: js/js.js:721 +#: js/js.js:715 msgid "seconds ago" msgstr "幾秒前" -#: js/js.js:722 +#: js/js.js:716 msgid "1 minute ago" msgstr "1 分鐘前" -#: js/js.js:723 +#: js/js.js:717 msgid "{minutes} minutes ago" msgstr "{minutes} 分鐘前" -#: js/js.js:724 +#: js/js.js:718 msgid "1 hour ago" msgstr "1 小時之前" -#: js/js.js:725 +#: js/js.js:719 msgid "{hours} hours ago" msgstr "{hours} 小時前" -#: js/js.js:726 +#: js/js.js:720 msgid "today" msgstr "今天" -#: js/js.js:727 +#: js/js.js:721 msgid "yesterday" msgstr "昨天" -#: js/js.js:728 +#: js/js.js:722 msgid "{days} days ago" msgstr "{days} 天前" -#: js/js.js:729 +#: js/js.js:723 msgid "last month" msgstr "上個月" -#: js/js.js:730 +#: js/js.js:724 msgid "{months} months ago" msgstr "{months} 個月前" -#: js/js.js:731 +#: js/js.js:725 msgid "months ago" msgstr "幾個月前" -#: js/js.js:732 +#: js/js.js:726 msgid "last year" msgstr "去年" -#: js/js.js:733 +#: js/js.js:727 msgid "years ago" msgstr "幾年前" @@ -227,8 +227,8 @@ msgstr "未指定物件類型。" #: js/oc-vcategories.js:14 js/oc-vcategories.js:80 js/oc-vcategories.js:95 #: js/oc-vcategories.js:110 js/oc-vcategories.js:125 js/oc-vcategories.js:136 #: js/oc-vcategories.js:172 js/oc-vcategories.js:189 js/oc-vcategories.js:195 -#: js/oc-vcategories.js:199 js/share.js:136 js/share.js:143 js/share.js:618 -#: js/share.js:630 +#: js/oc-vcategories.js:199 js/share.js:136 js/share.js:143 js/share.js:625 +#: js/share.js:637 msgid "Error" msgstr "錯誤" @@ -248,7 +248,7 @@ msgstr "已分享" msgid "Share" msgstr "分享" -#: js/share.js:125 js/share.js:658 +#: js/share.js:125 js/share.js:665 msgid "Error while sharing" msgstr "分享時發生錯誤" @@ -268,114 +268,114 @@ msgstr "由 {owner} 分享給您和 {group}" msgid "Shared with you by {owner}" msgstr "{owner} 已經和您分享" -#: js/share.js:172 +#: js/share.js:177 msgid "Share with" msgstr "與...分享" -#: js/share.js:177 +#: js/share.js:182 msgid "Share with link" msgstr "使用連結分享" -#: js/share.js:180 +#: js/share.js:185 msgid "Password protect" msgstr "密碼保護" -#: js/share.js:182 templates/installation.php:54 templates/login.php:26 +#: js/share.js:187 templates/installation.php:54 templates/login.php:26 msgid "Password" msgstr "密碼" -#: js/share.js:186 +#: js/share.js:192 msgid "Allow Public Upload" -msgstr "" +msgstr "允許任何人上傳" -#: js/share.js:189 +#: js/share.js:196 msgid "Email link to person" msgstr "將連結 email 給別人" -#: js/share.js:190 +#: js/share.js:197 msgid "Send" msgstr "寄出" -#: js/share.js:195 +#: js/share.js:202 msgid "Set expiration date" msgstr "設置到期日" -#: js/share.js:196 +#: js/share.js:203 msgid "Expiration date" msgstr "到期日" -#: js/share.js:228 +#: js/share.js:235 msgid "Share via email:" msgstr "透過電子郵件分享:" -#: js/share.js:230 +#: js/share.js:237 msgid "No people found" msgstr "沒有找到任何人" -#: js/share.js:268 +#: js/share.js:275 msgid "Resharing is not allowed" msgstr "不允許重新分享" -#: js/share.js:304 +#: js/share.js:311 msgid "Shared in {item} with {user}" msgstr "已和 {user} 分享 {item}" -#: js/share.js:325 +#: js/share.js:332 msgid "Unshare" msgstr "取消共享" -#: js/share.js:337 +#: js/share.js:344 msgid "can edit" msgstr "可編輯" -#: js/share.js:339 +#: js/share.js:346 msgid "access control" msgstr "存取控制" -#: js/share.js:342 +#: js/share.js:349 msgid "create" msgstr "建立" -#: js/share.js:345 +#: js/share.js:352 msgid "update" msgstr "更新" -#: js/share.js:348 +#: js/share.js:355 msgid "delete" msgstr "刪除" -#: js/share.js:351 +#: js/share.js:358 msgid "share" msgstr "分享" -#: js/share.js:385 js/share.js:605 +#: js/share.js:392 js/share.js:612 msgid "Password protected" msgstr "受密碼保護" -#: js/share.js:618 +#: js/share.js:625 msgid "Error unsetting expiration date" msgstr "解除過期日設定失敗" -#: js/share.js:630 +#: js/share.js:637 msgid "Error setting expiration date" msgstr "錯誤的到期日設定" -#: js/share.js:645 +#: js/share.js:652 msgid "Sending ..." msgstr "正在傳送..." -#: js/share.js:656 +#: js/share.js:663 msgid "Email sent" msgstr "Email 已寄出" -#: js/update.js:14 +#: js/update.js:17 msgid "" "The update was unsuccessful. Please report this issue to the ownCloud " "community." msgstr "升級失敗,請將此問題回報 ownCloud 社群。" -#: js/update.js:18 +#: js/update.js:21 msgid "The update was successful. Redirecting you to ownCloud now." msgstr "升級成功,正將您重新導向至 ownCloud 。" @@ -400,7 +400,7 @@ msgstr "請求失敗!
    您確定填入的電子郵件地址或是帳號名 #: lostpassword/templates/lostpassword.php:15 msgid "You will receive a link to reset your password via Email." -msgstr "重設密碼的連結將會寄到你的電子郵件信箱。" +msgstr "重設密碼的連結將會寄到您的電子郵件信箱。" #: lostpassword/templates/lostpassword.php:18 templates/installation.php:48 #: templates/login.php:19 @@ -413,7 +413,7 @@ msgid "" "will be no way to get your data back after your password is reset. If you " "are not sure what to do, please contact your administrator before you " "continue. Do you really want to continue?" -msgstr "" +msgstr "您的檔案已加密,如果您沒有設定還原金鑰,未來重設密碼後將無法取回您的資料。如果您不確定該怎麼做,請洽詢系統管理員後再繼續。您確定要現在繼續嗎?" #: lostpassword/templates/lostpassword.php:24 msgid "Yes, I really want to reset my password now" @@ -467,7 +467,7 @@ msgstr "存取被拒" msgid "Cloud not found" msgstr "未發現雲端" -#: templates/altmail.php:2 +#: templates/altmail.php:4 #, php-format msgid "" "Hey there,\n" @@ -476,11 +476,7 @@ msgid "" "View it: %s\n" "\n" "Cheers!" -msgstr "" - -#: templates/altmail.php:7 templates/mail.php:24 -msgid "web services under your control" -msgstr "由您控制的網路服務" +msgstr "嗨,\n\n通知您,%s 與您分享了 %s 。\n看一下:%s" #: templates/edit_categories_dialog.php:4 msgid "Edit categories" @@ -613,12 +609,12 @@ msgstr "登入" msgid "Alternative Logins" msgstr "替代登入方法" -#: templates/mail.php:15 +#: templates/mail.php:16 #, php-format msgid "" "Hey there,

    just letting you know that %s shared »%s« with you.
    View it!

    Cheers!" -msgstr "" +msgstr "嗨,

    通知您,%s 與您分享了 %s ,
    看一下吧" #: templates/part.pagenavi.php:3 msgid "prev" diff --git a/l10n/zh_TW/files.po b/l10n/zh_TW/files.po index 6743ab981d..26b717450a 100644 --- a/l10n/zh_TW/files.po +++ b/l10n/zh_TW/files.po @@ -8,8 +8,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:12+0200\n" -"PO-Revision-Date: 2013-07-04 07:55+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:04+0000\n" "Last-Translator: I Robot \n" "Language-Team: Chinese (Taiwan) (http://www.transifex.com/projects/p/owncloud/language/zh_TW/)\n" "MIME-Version: 1.0\n" @@ -28,54 +28,54 @@ msgstr "無法移動 %s - 同名的檔案已經存在" msgid "Could not move %s" msgstr "無法移動 %s" -#: ajax/upload.php:16 ajax/upload.php:39 +#: ajax/upload.php:16 ajax/upload.php:45 msgid "Unable to set upload directory." -msgstr "" +msgstr "無法設定上傳目錄。" -#: ajax/upload.php:23 +#: ajax/upload.php:22 msgid "Invalid Token" -msgstr "" +msgstr "無效的 token" -#: ajax/upload.php:55 +#: ajax/upload.php:59 msgid "No file was uploaded. Unknown error" msgstr "沒有檔案被上傳。未知的錯誤。" -#: ajax/upload.php:62 +#: ajax/upload.php:66 msgid "There is no error, the file uploaded with success" msgstr "無錯誤,檔案上傳成功" -#: ajax/upload.php:63 +#: ajax/upload.php:67 msgid "" "The uploaded file exceeds the upload_max_filesize directive in php.ini: " msgstr "上傳的檔案大小超過 php.ini 當中 upload_max_filesize 參數的設定:" -#: ajax/upload.php:65 +#: ajax/upload.php:69 msgid "" "The uploaded file exceeds the MAX_FILE_SIZE directive that was specified in " "the HTML form" msgstr "上傳的檔案大小超過 HTML 表單中 MAX_FILE_SIZE 的限制" -#: ajax/upload.php:66 +#: ajax/upload.php:70 msgid "The uploaded file was only partially uploaded" msgstr "只有檔案的一部分被上傳" -#: ajax/upload.php:67 +#: ajax/upload.php:71 msgid "No file was uploaded" msgstr "沒有檔案被上傳" -#: ajax/upload.php:68 +#: ajax/upload.php:72 msgid "Missing a temporary folder" msgstr "找不到暫存資料夾" -#: ajax/upload.php:69 +#: ajax/upload.php:73 msgid "Failed to write to disk" msgstr "寫入硬碟失敗" -#: ajax/upload.php:87 +#: ajax/upload.php:91 msgid "Not enough storage available" msgstr "儲存空間不足" -#: ajax/upload.php:119 +#: ajax/upload.php:123 msgid "Invalid directory." msgstr "無效的資料夾。" @@ -129,43 +129,43 @@ msgstr "刪除" msgid "Rename" msgstr "重新命名" -#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:464 +#: js/filelist.js:49 js/filelist.js:52 js/filelist.js:465 msgid "Pending" msgstr "等候中" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "{new_name} already exists" msgstr "{new_name} 已經存在" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "replace" msgstr "取代" -#: js/filelist.js:302 +#: js/filelist.js:303 msgid "suggest name" msgstr "建議檔名" -#: js/filelist.js:302 js/filelist.js:304 +#: js/filelist.js:303 js/filelist.js:305 msgid "cancel" msgstr "取消" -#: js/filelist.js:349 +#: js/filelist.js:350 msgid "replaced {new_name} with {old_name}" msgstr "使用 {new_name} 取代 {old_name}" -#: js/filelist.js:349 +#: js/filelist.js:350 msgid "undo" msgstr "復原" -#: js/filelist.js:374 +#: js/filelist.js:375 msgid "perform delete operation" msgstr "進行刪除動作" -#: js/filelist.js:456 +#: js/filelist.js:457 msgid "1 file uploading" msgstr "1 個檔案正在上傳" -#: js/filelist.js:459 js/filelist.js:517 +#: js/filelist.js:460 js/filelist.js:518 msgid "files uploading" msgstr "檔案正在上傳中" @@ -213,26 +213,26 @@ msgstr "大小" msgid "Modified" msgstr "修改" -#: js/files.js:765 +#: js/files.js:763 msgid "1 folder" msgstr "1 個資料夾" -#: js/files.js:767 +#: js/files.js:765 msgid "{count} folders" msgstr "{count} 個資料夾" -#: js/files.js:775 +#: js/files.js:773 msgid "1 file" msgstr "1 個檔案" -#: js/files.js:777 +#: js/files.js:775 msgid "{count} files" msgstr "{count} 個檔案" #: lib/app.php:73 #, php-format msgid "%s could not be renamed" -msgstr "" +msgstr "無法重新命名 %s" #: lib/helper.php:11 templates/index.php:18 msgid "Upload" @@ -328,21 +328,21 @@ msgstr "正在掃描檔案,請稍等。" msgid "Current scanning" msgstr "目前掃描" -#: templates/part.list.php:78 +#: templates/part.list.php:74 msgid "directory" -msgstr "" +msgstr "目錄" -#: templates/part.list.php:80 +#: templates/part.list.php:76 msgid "directories" -msgstr "" +msgstr "目錄" -#: templates/part.list.php:89 +#: templates/part.list.php:85 msgid "file" -msgstr "" +msgstr "檔案" -#: templates/part.list.php:91 +#: templates/part.list.php:87 msgid "files" -msgstr "" +msgstr "檔案" #: templates/upgrade.php:2 msgid "Upgrading filesystem cache..." diff --git a/l10n/zh_TW/files_external.po b/l10n/zh_TW/files_external.po index 0f97c65369..8296c419b9 100644 --- a/l10n/zh_TW/files_external.po +++ b/l10n/zh_TW/files_external.po @@ -8,8 +8,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: pellaeon \n" "Language-Team: Chinese (Taiwan) (http://www.transifex.com/projects/p/owncloud/language/zh_TW/)\n" "MIME-Version: 1.0\n" @@ -38,20 +38,20 @@ msgstr "請提供有效的 Dropbox app key 和 app secret 。" msgid "Error configuring Google Drive storage" msgstr "設定 Google Drive 儲存時發生錯誤" -#: lib/config.php:431 +#: lib/config.php:447 msgid "" "Warning: \"smbclient\" is not installed. Mounting of CIFS/SMB shares " "is not possible. Please ask your system administrator to install it." msgstr "警告:未安裝 \"smbclient\" ,因此無法掛載 CIFS/SMB 分享,請洽您的系統管理員將其安裝。" -#: lib/config.php:434 +#: lib/config.php:450 msgid "" "Warning: The FTP support in PHP is not enabled or installed. Mounting" " of FTP shares is not possible. Please ask your system administrator to " "install it." msgstr "警告:PHP 並未啓用 FTP 的支援,因此無法掛載 FTP 分享,請洽您的系統管理員將其安裝並啓用。" -#: lib/config.php:437 +#: lib/config.php:453 msgid "" "Warning: The Curl support in PHP is not enabled or installed. " "Mounting of ownCloud / WebDAV or GoogleDrive is not possible. Please ask " diff --git a/l10n/zh_TW/files_sharing.po b/l10n/zh_TW/files_sharing.po index 810cf32cd3..7c2b7e2051 100644 --- a/l10n/zh_TW/files_sharing.po +++ b/l10n/zh_TW/files_sharing.po @@ -8,8 +8,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:13+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: I Robot \n" "Language-Team: Chinese (Taiwan) (http://www.transifex.com/projects/p/owncloud/language/zh_TW/)\n" "MIME-Version: 1.0\n" @@ -40,18 +40,18 @@ msgstr "%s 和您分享了資料夾 %s " msgid "%s shared the file %s with you" msgstr "%s 和您分享了檔案 %s" -#: templates/public.php:28 templates/public.php:86 +#: templates/public.php:28 templates/public.php:90 msgid "Download" msgstr "下載" -#: templates/public.php:44 +#: templates/public.php:45 templates/public.php:48 msgid "Upload" msgstr "上傳" -#: templates/public.php:54 +#: templates/public.php:58 msgid "Cancel upload" msgstr "取消上傳" -#: templates/public.php:83 +#: templates/public.php:87 msgid "No preview available for" msgstr "無法預覽" diff --git a/l10n/zh_TW/files_trashbin.po b/l10n/zh_TW/files_trashbin.po index 42452cc260..6ab463e812 100644 --- a/l10n/zh_TW/files_trashbin.po +++ b/l10n/zh_TW/files_trashbin.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" "Last-Translator: I Robot \n" "Language-Team: Chinese (Taiwan) (http://www.transifex.com/projects/p/owncloud/language/zh_TW/)\n" "MIME-Version: 1.0\n" diff --git a/l10n/zh_TW/lib.po b/l10n/zh_TW/lib.po index 69e868ec9b..813363fd04 100644 --- a/l10n/zh_TW/lib.po +++ b/l10n/zh_TW/lib.po @@ -8,8 +8,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-05 00:13+0000\n" +"POT-Creation-Date: 2013-07-24 01:55-0400\n" +"PO-Revision-Date: 2013-07-24 05:55+0000\n" "Last-Translator: I Robot \n" "Language-Team: Chinese (Taiwan) (http://www.transifex.com/projects/p/owncloud/language/zh_TW/)\n" "MIME-Version: 1.0\n" @@ -42,27 +42,43 @@ msgstr "應用程式" msgid "Admin" msgstr "管理" -#: defaults.php:33 -msgid "web services under your control" +#: app.php:844 +#, php-format +msgid "Failed to upgrade \"%s\"." msgstr "" -#: files.php:210 +#: defaults.php:33 +msgid "web services under your control" +msgstr "由您控制的網路服務" + +#: files.php:66 files.php:98 +#, php-format +msgid "cannot open \"%s\"" +msgstr "" + +#: files.php:226 msgid "ZIP download is turned off." msgstr "ZIP 下載已關閉。" -#: files.php:211 +#: files.php:227 msgid "Files need to be downloaded one by one." msgstr "檔案需要逐一下載。" -#: files.php:212 files.php:245 +#: files.php:228 files.php:256 msgid "Back to Files" msgstr "回到檔案列表" -#: files.php:242 +#: files.php:253 msgid "Selected files too large to generate zip file." msgstr "選擇的檔案太大以致於無法產生壓縮檔。" -#: helper.php:236 +#: files.php:254 +msgid "" +"Download the files in smaller chunks, seperately or kindly ask your " +"administrator." +msgstr "" + +#: helper.php:235 msgid "couldn't be determined" msgstr "無法判斷" @@ -171,77 +187,81 @@ msgstr "有問題的指令是:\"%s\" ,使用者:\"%s\",密碼:\"%s\"" msgid "PostgreSQL username and/or password not valid" msgstr "PostgreSQL 用戶名和/或密碼無效" -#: setup.php:42 +#: setup.php:28 msgid "Set an admin username." msgstr "設定管理員帳號。" -#: setup.php:45 +#: setup.php:31 msgid "Set an admin password." msgstr "設定管理員密碼。" -#: setup.php:198 +#: setup.php:184 msgid "" "Your web server is not yet properly setup to allow files synchronization " "because the WebDAV interface seems to be broken." msgstr "您的網頁伺服器尚未被正確設定來進行檔案同步,因為您的 WebDAV 界面似乎無法使用。" -#: setup.php:199 +#: setup.php:185 #, php-format msgid "Please double check the installation guides." msgstr "請參考安裝指南。" -#: template.php:113 +#: template/functions.php:80 msgid "seconds ago" msgstr "幾秒前" -#: template.php:114 +#: template/functions.php:81 msgid "1 minute ago" msgstr "1 分鐘前" -#: template.php:115 +#: template/functions.php:82 #, php-format msgid "%d minutes ago" msgstr "%d 分鐘前" -#: template.php:116 +#: template/functions.php:83 msgid "1 hour ago" msgstr "1 小時之前" -#: template.php:117 +#: template/functions.php:84 #, php-format msgid "%d hours ago" msgstr "%d 小時之前" -#: template.php:118 +#: template/functions.php:85 msgid "today" msgstr "今天" -#: template.php:119 +#: template/functions.php:86 msgid "yesterday" msgstr "昨天" -#: template.php:120 +#: template/functions.php:87 #, php-format msgid "%d days ago" msgstr "%d 天前" -#: template.php:121 +#: template/functions.php:88 msgid "last month" msgstr "上個月" -#: template.php:122 +#: template/functions.php:89 #, php-format msgid "%d months ago" msgstr "%d 個月之前" -#: template.php:123 +#: template/functions.php:90 msgid "last year" msgstr "去年" -#: template.php:124 +#: template/functions.php:91 msgid "years ago" msgstr "幾年前" +#: template.php:296 +msgid "Caused by:" +msgstr "" + #: vcategories.php:188 vcategories.php:249 #, php-format msgid "Could not find category \"%s\"" diff --git a/l10n/zh_TW/settings.po b/l10n/zh_TW/settings.po index 1339990cb7..67e5af91e9 100644 --- a/l10n/zh_TW/settings.po +++ b/l10n/zh_TW/settings.po @@ -8,8 +8,8 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:55+0000\n" "Last-Translator: I Robot \n" "Language-Team: Chinese (Taiwan) (http://www.transifex.com/projects/p/owncloud/language/zh_TW/)\n" "MIME-Version: 1.0\n" @@ -78,12 +78,12 @@ msgstr "管理者帳號無法從管理者群組中移除" #: ajax/togglegroups.php:30 #, php-format msgid "Unable to add user to group %s" -msgstr "使用者加入群組%s錯誤" +msgstr "使用者加入群組 %s 錯誤" #: ajax/togglegroups.php:36 #, php-format msgid "Unable to remove user from group %s" -msgstr "使用者移出群組%s錯誤" +msgstr "使用者移出群組 %s 錯誤" #: ajax/updateapp.php:14 msgid "Couldn't update app." @@ -144,7 +144,7 @@ msgstr "群組" #: js/users.js:95 templates/users.php:89 templates/users.php:124 msgid "Group Admin" -msgstr "群組 管理員" +msgstr "群組管理員" #: js/users.js:115 templates/users.php:164 msgid "Delete" @@ -156,11 +156,11 @@ msgstr "新增群組" #: js/users.js:428 msgid "A valid username must be provided" -msgstr "一定要提供一個有效的用戶名" +msgstr "必須提供一個有效的用戶名" #: js/users.js:429 js/users.js:435 js/users.js:450 msgid "Error creating user" -msgstr "創建用戶時出現錯誤" +msgstr "建立用戶時出現錯誤" #: js/users.js:434 msgid "A valid password must be provided" @@ -168,7 +168,7 @@ msgstr "一定要提供一個有效的密碼" #: personal.php:37 personal.php:38 msgid "__language_name__" -msgstr "__語言_名稱__" +msgstr "__language_name__" #: templates/admin.php:17 msgid "Security Warning" @@ -222,7 +222,7 @@ msgstr "ownCloud 伺服器無法將系統語系設為 %s ,可能有一些檔 #: templates/admin.php:77 msgid "Internet connection not working" -msgstr "去連線" +msgstr "無網際網路存取" #: templates/admin.php:80 msgid "" @@ -236,7 +236,7 @@ msgstr "這臺 ownCloud 伺服器沒有連接到網際網路,因此有些功 #: templates/admin.php:94 msgid "Cron" -msgstr "定期執行" +msgstr "Cron" #: templates/admin.php:103 msgid "Execute one task with each page loaded" @@ -272,64 +272,73 @@ msgstr "允許連結" #: templates/admin.php:145 msgid "Allow users to share items to the public with links" -msgstr "允許使用者透過公開的連結分享檔案" +msgstr "允許使用者以結連公開分享檔案" -#: templates/admin.php:152 +#: templates/admin.php:153 +msgid "Allow public uploads" +msgstr "" + +#: templates/admin.php:154 +msgid "" +"Allow users to enable others to upload into their publicly shared folders" +msgstr "" + +#: templates/admin.php:162 msgid "Allow resharing" msgstr "允許轉貼分享" -#: templates/admin.php:153 +#: templates/admin.php:163 msgid "Allow users to share items shared with them again" msgstr "允許使用者分享其他使用者分享給他的檔案" -#: templates/admin.php:160 +#: templates/admin.php:170 msgid "Allow users to share with anyone" msgstr "允許使用者與任何人分享檔案" -#: templates/admin.php:163 +#: templates/admin.php:173 msgid "Allow users to only share with users in their groups" msgstr "僅允許使用者在群組內分享" -#: templates/admin.php:170 +#: templates/admin.php:180 msgid "Security" msgstr "安全性" -#: templates/admin.php:183 +#: templates/admin.php:193 msgid "Enforce HTTPS" msgstr "強制啟用 HTTPS" -#: templates/admin.php:184 +#: templates/admin.php:194 msgid "" "Enforces the clients to connect to ownCloud via an encrypted connection." -msgstr "強制指定用戶端使用加密的連線連接到 ownCloud" +msgstr "強制用戶端使用加密的連線連接到 ownCloud" -#: templates/admin.php:187 +#: templates/admin.php:197 msgid "" "Please connect to this ownCloud instance via HTTPS to enable or disable the " "SSL enforcement." msgstr "請使用 HTTPS 連線到 ownCloud,或是關閉強制使用 SSL 的選項。" -#: templates/admin.php:197 +#: templates/admin.php:207 msgid "Log" msgstr "紀錄" -#: templates/admin.php:198 +#: templates/admin.php:208 msgid "Log level" msgstr "紀錄層級" -#: templates/admin.php:229 +#: templates/admin.php:239 msgid "More" msgstr "更多" -#: templates/admin.php:230 +#: templates/admin.php:240 msgid "Less" -msgstr "少" +msgstr "更少" -#: templates/admin.php:236 templates/personal.php:116 +#: templates/admin.php:246 templates/personal.php:116 msgid "Version" msgstr "版本" -#: templates/admin.php:240 templates/personal.php:119 +#: templates/admin.php:250 templates/personal.php:119 msgid "" "Developed by the ownCloud community, the AGPL." -msgstr "由ownCloud 社區開發,源代碼AGPL許可證下發布。" +msgstr "由 ownCloud 社群開發,原始碼AGPL 許可證下發布。" #: templates/apps.php:13 msgid "Add your App" @@ -453,8 +462,11 @@ msgid "WebDAV" msgstr "WebDAV" #: templates/personal.php:108 -msgid "Use this address to connect to your ownCloud in your file manager" -msgstr "在您的檔案管理員中使用這個地址來連線到 ownCloud" +#, php-format +msgid "" +"Use this address to access your Files via WebDAV" +msgstr "使用這個網址來透過 WebDAV 存取您的檔案" #: templates/users.php:21 msgid "Login Name" @@ -472,7 +484,7 @@ msgstr "管理者復原密碼" msgid "" "Enter the recovery password in order to recover the users files during " "password change" -msgstr "" +msgstr "為了修改密碼時能夠取回使用者資料,請輸入另一組還原用密碼" #: templates/users.php:42 msgid "Default Storage" diff --git a/l10n/zh_TW/user_ldap.po b/l10n/zh_TW/user_ldap.po index 78ac885617..47a875eda4 100644 --- a/l10n/zh_TW/user_ldap.po +++ b/l10n/zh_TW/user_ldap.po @@ -3,13 +3,14 @@ # This file is distributed under the same license as the PACKAGE package. # # Translators: +# chenanyeh , 2013 msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-07-05 02:13+0200\n" -"PO-Revision-Date: 2013-07-04 07:56+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-07-23 01:55-0400\n" +"PO-Revision-Date: 2013-07-23 05:05+0000\n" +"Last-Translator: chenanyeh \n" "Language-Team: Chinese (Taiwan) (http://www.transifex.com/projects/p/owncloud/language/zh_TW/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -19,27 +20,27 @@ msgstr "" #: ajax/clearMappings.php:34 msgid "Failed to clear the mappings." -msgstr "" +msgstr "清除映射失敗" #: ajax/deleteConfiguration.php:34 msgid "Failed to delete the server configuration" -msgstr "" +msgstr "刪除伺服器設定時失敗" #: ajax/testConfiguration.php:36 msgid "The configuration is valid and the connection could be established!" -msgstr "" +msgstr "設定有效且連線可建立" #: ajax/testConfiguration.php:39 msgid "" "The configuration is valid, but the Bind failed. Please check the server " "settings and credentials." -msgstr "" +msgstr "設定有效但連線無法建立。請檢查伺服器的設定與認證資料。" #: ajax/testConfiguration.php:43 msgid "" "The configuration is invalid. Please look in the ownCloud log for further " "details." -msgstr "" +msgstr "設定無效。更多細節請參閱ownCloud的記錄檔。" #: js/settings.js:66 msgid "Deletion failed" @@ -47,19 +48,19 @@ msgstr "移除失敗" #: js/settings.js:82 msgid "Take over settings from recent server configuration?" -msgstr "" +msgstr "要使用最近一次的伺服器設定嗎?" #: js/settings.js:83 msgid "Keep settings?" -msgstr "" +msgstr "維持設定嗎?" #: js/settings.js:97 msgid "Cannot add server configuration" -msgstr "" +msgstr "無法新增伺服器設定" #: js/settings.js:111 msgid "mappings cleared" -msgstr "" +msgstr "映射已清除" #: js/settings.js:112 msgid "Success" @@ -71,40 +72,40 @@ msgstr "錯誤" #: js/settings.js:141 msgid "Connection test succeeded" -msgstr "" +msgstr "連線測試成功" #: js/settings.js:146 msgid "Connection test failed" -msgstr "" +msgstr "連線測試失敗" #: js/settings.js:156 msgid "Do you really want to delete the current Server Configuration?" -msgstr "" +msgstr "您真的確定要刪除現在的伺服器設定嗎?" #: js/settings.js:157 msgid "Confirm Deletion" -msgstr "" +msgstr "確認已刪除" #: templates/settings.php:9 msgid "" "Warning: Apps user_ldap and user_webdavauth are incompatible. You may" " experience unexpected behaviour. Please ask your system administrator to " "disable one of them." -msgstr "" +msgstr "警告: 應用程式user_ldap和user_webdavauth互不相容。可能會造成無法預期的結果。請要求您的系統管理員將兩者其中之一停用。" #: templates/settings.php:12 msgid "" "Warning: The PHP LDAP module is not installed, the backend will not " "work. Please ask your system administrator to install it." -msgstr "" +msgstr "警告:沒有安裝 PHP LDAP 模組,後端系統將無法運作。請要求您的系統管理員安裝模組。" #: templates/settings.php:16 msgid "Server configuration" -msgstr "" +msgstr "伺服器設定" #: templates/settings.php:32 msgid "Add Server Configuration" -msgstr "" +msgstr "新增伺服器設定" #: templates/settings.php:37 msgid "Host" @@ -113,7 +114,7 @@ msgstr "主機" #: templates/settings.php:39 msgid "" "You can omit the protocol, except you require SSL. Then start with ldaps://" -msgstr "" +msgstr "若您不需要SSL加密傳輸則可忽略通訊協定。若非如此請從ldaps://開始" #: templates/settings.php:40 msgid "Base DN" @@ -121,11 +122,11 @@ msgstr "" #: templates/settings.php:41 msgid "One Base DN per line" -msgstr "" +msgstr "一行一個Base DN" #: templates/settings.php:42 msgid "You can specify Base DN for users and groups in the Advanced tab" -msgstr "" +msgstr "您可以在進階標籤頁裡面指定使用者及群組的Base DN" #: templates/settings.php:44 msgid "User DN" @@ -136,7 +137,7 @@ msgid "" "The DN of the client user with which the bind shall be done, e.g. " "uid=agent,dc=example,dc=com. For anonymous access, leave DN and Password " "empty." -msgstr "" +msgstr "客戶端使用者的DN與特定字詞的連結需要完善,例如:uid=agent,dc=example,dc=com。若是匿名連接,則將DN與密碼欄位留白。" #: templates/settings.php:47 msgid "Password" @@ -144,59 +145,59 @@ msgstr "密碼" #: templates/settings.php:50 msgid "For anonymous access, leave DN and Password empty." -msgstr "" +msgstr "匿名連接時請將DN與密碼欄位留白" #: templates/settings.php:51 msgid "User Login Filter" -msgstr "" +msgstr "使用者登入過濾器" #: templates/settings.php:54 #, php-format msgid "" "Defines the filter to apply, when login is attempted. %%uid replaces the " "username in the login action." -msgstr "" +msgstr "試圖登入時會定義要套用的篩選器。登入過程中%%uid會取代使用者名稱。" #: templates/settings.php:55 #, php-format msgid "use %%uid placeholder, e.g. \"uid=%%uid\"" -msgstr "" +msgstr "請使用 %%uid placeholder,例如:\"uid=%%uid\"" #: templates/settings.php:56 msgid "User List Filter" -msgstr "" +msgstr "使用者名單篩選器" #: templates/settings.php:59 msgid "Defines the filter to apply, when retrieving users." -msgstr "" +msgstr "檢索使用者時定義要套用的篩選器" #: templates/settings.php:60 msgid "without any placeholder, e.g. \"objectClass=person\"." -msgstr "" +msgstr "請勿使用任何placeholder,例如:\"objectClass=person\"。" #: templates/settings.php:61 msgid "Group Filter" -msgstr "" +msgstr "群組篩選器" #: templates/settings.php:64 msgid "Defines the filter to apply, when retrieving groups." -msgstr "" +msgstr "檢索群組時,定義要套用的篩選器" #: templates/settings.php:65 msgid "without any placeholder, e.g. \"objectClass=posixGroup\"." -msgstr "" +msgstr "請勿使用任何placeholder,例如:\"objectClass=posixGroup\"。" #: templates/settings.php:69 msgid "Connection Settings" -msgstr "" +msgstr "連線設定" #: templates/settings.php:71 msgid "Configuration Active" -msgstr "" +msgstr "設定為主動模式" #: templates/settings.php:71 msgid "When unchecked, this configuration will be skipped." -msgstr "" +msgstr "沒有被勾選時,此設定會被略過。" #: templates/settings.php:72 msgid "Port" @@ -204,25 +205,25 @@ msgstr "連接阜" #: templates/settings.php:73 msgid "Backup (Replica) Host" -msgstr "" +msgstr "備用主機" #: templates/settings.php:73 msgid "" "Give an optional backup host. It must be a replica of the main LDAP/AD " "server." -msgstr "" +msgstr "請給定一個可選的備用主機。必須是LDAP/AD中央伺服器的複本。" #: templates/settings.php:74 msgid "Backup (Replica) Port" -msgstr "" +msgstr "備用(複本)連接阜" #: templates/settings.php:75 msgid "Disable Main Server" -msgstr "" +msgstr "停用主伺服器" #: templates/settings.php:75 msgid "When switched on, ownCloud will only connect to the replica server." -msgstr "" +msgstr "當開關打開時,ownCloud將只會連接複本伺服器。" #: templates/settings.php:76 msgid "Use TLS" @@ -234,7 +235,7 @@ msgstr "" #: templates/settings.php:77 msgid "Case insensitve LDAP server (Windows)" -msgstr "" +msgstr "不區分大小寫的LDAP伺服器(Windows)" #: templates/settings.php:78 msgid "Turn off SSL certificate validation." @@ -244,51 +245,51 @@ msgstr "關閉 SSL 憑證驗證" msgid "" "If connection only works with this option, import the LDAP server's SSL " "certificate in your ownCloud server." -msgstr "" +msgstr "若連線只有在此選項開啟時運作,請匯入LDAP伺服器的SSL認證到您的ownCloud伺服器。" #: templates/settings.php:78 msgid "Not recommended, use for testing only." -msgstr "" +msgstr "不推薦使用,僅供測試用途。" #: templates/settings.php:79 msgid "Cache Time-To-Live" -msgstr "" +msgstr "快取的存活時間" #: templates/settings.php:79 msgid "in seconds. A change empties the cache." -msgstr "" +msgstr "以秒為單位。更變後會清空快取。" #: templates/settings.php:81 msgid "Directory Settings" -msgstr "" +msgstr "目錄選項" #: templates/settings.php:83 msgid "User Display Name Field" -msgstr "" +msgstr "使用者名稱欄位" #: templates/settings.php:83 msgid "The LDAP attribute to use to generate the user`s ownCloud name." -msgstr "" +msgstr "用於產生ownCloud名稱" #: templates/settings.php:84 msgid "Base User Tree" -msgstr "" +msgstr "Base使用者數" #: templates/settings.php:84 msgid "One User Base DN per line" -msgstr "" +msgstr "一行一個使用者Base DN" #: templates/settings.php:85 msgid "User Search Attributes" -msgstr "" +msgstr "使用者搜索屬性" #: templates/settings.php:85 templates/settings.php:88 msgid "Optional; one attribute per line" -msgstr "" +msgstr "可選的; 一行一項屬性" #: templates/settings.php:86 msgid "Group Display Name Field" -msgstr "" +msgstr "群組顯示名稱欄位" #: templates/settings.php:86 msgid "The LDAP attribute to use to generate the groups`s ownCloud name." @@ -296,53 +297,53 @@ msgstr "" #: templates/settings.php:87 msgid "Base Group Tree" -msgstr "" +msgstr "Base群組樹" #: templates/settings.php:87 msgid "One Group Base DN per line" -msgstr "" +msgstr "一行一個群組Base DN" #: templates/settings.php:88 msgid "Group Search Attributes" -msgstr "" +msgstr "群組搜索屬性" #: templates/settings.php:89 msgid "Group-Member association" -msgstr "" +msgstr "群組成員的關係" #: templates/settings.php:91 msgid "Special Attributes" -msgstr "" +msgstr "特殊屬性" #: templates/settings.php:93 msgid "Quota Field" -msgstr "" +msgstr "配額欄位" #: templates/settings.php:94 msgid "Quota Default" -msgstr "" +msgstr "預設配額" #: templates/settings.php:94 msgid "in bytes" -msgstr "" +msgstr "以位元組為單位" #: templates/settings.php:95 msgid "Email Field" -msgstr "" +msgstr "電郵欄位" #: templates/settings.php:96 msgid "User Home Folder Naming Rule" -msgstr "" +msgstr "使用者家目錄的命名規則" #: templates/settings.php:96 msgid "" "Leave empty for user name (default). Otherwise, specify an LDAP/AD " "attribute." -msgstr "" +msgstr "使用者名稱請留白(預設)。若不留白請指定一個LDAP/AD屬性。" #: templates/settings.php:101 msgid "Internal Username" -msgstr "" +msgstr "內部使用者名稱" #: templates/settings.php:102 msgid "" @@ -412,7 +413,7 @@ msgstr "" #: templates/settings.php:111 msgid "Test Configuration" -msgstr "" +msgstr "測試此設定" #: templates/settings.php:111 msgid "Help" diff --git a/l10n/zh_TW/user_webdavauth.po b/l10n/zh_TW/user_webdavauth.po index 5e8abbbb84..a72b457be2 100644 --- a/l10n/zh_TW/user_webdavauth.po +++ b/l10n/zh_TW/user_webdavauth.po @@ -11,9 +11,9 @@ msgid "" msgstr "" "Project-Id-Version: ownCloud\n" "Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n" -"POT-Creation-Date: 2013-06-15 01:59+0200\n" -"PO-Revision-Date: 2013-06-15 00:00+0000\n" -"Last-Translator: I Robot \n" +"POT-Creation-Date: 2013-07-22 01:54-0400\n" +"PO-Revision-Date: 2013-07-21 09:20+0000\n" +"Last-Translator: pellaeon \n" "Language-Team: Chinese (Taiwan) (http://www.transifex.com/projects/p/owncloud/language/zh_TW/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -27,11 +27,11 @@ msgstr "WebDAV 認證" #: templates/settings.php:4 msgid "URL: " -msgstr "" +msgstr "URL: " #: templates/settings.php:7 msgid "" "ownCloud will send the user credentials to this URL. This plugin checks the " "response and will interpret the HTTP statuscodes 401 and 403 as invalid " "credentials, and all other responses as valid credentials." -msgstr "ownCloud 會將把用戶的登入資訊發送到這個網址以嘗試登入,並檢查回應, HTTP 狀態碼401和403視為登入失敗,所有其他回應視為登入成功。" +msgstr "ownCloud 將會把用戶的帳密傳送至這個網址以嘗試登入,並檢查回應,HTTP 狀態碼401和403視為登入失敗,所有其他回應視為登入成功。" diff --git a/lib/MDB2/Driver/Datatype/sqlite3.php b/lib/MDB2/Driver/Datatype/sqlite3.php deleted file mode 100644 index ca4c1cbceb..0000000000 --- a/lib/MDB2/Driver/Datatype/sqlite3.php +++ /dev/null @@ -1,385 +0,0 @@ -. - * - */ - -require_once 'MDB2/Driver/Datatype/Common.php'; - -/** - * MDB2 SQLite driver - * - * @package MDB2 - * @category Database - * @author Lukas Smith - */ -class MDB2_Driver_Datatype_sqlite3 extends MDB2_Driver_Datatype_Common -{ - // {{{ _getCollationFieldDeclaration() - - /** - * Obtain DBMS specific SQL code portion needed to set the COLLATION - * of a field declaration to be used in statements like CREATE TABLE. - * - * @param string $collation name of the collation - * - * @return string DBMS specific SQL code portion needed to set the COLLATION - * of a field declaration. - */ - function _getCollationFieldDeclaration($collation) - { - return 'COLLATE '.$collation; - } - - // }}} - // {{{ getTypeDeclaration() - - /** - * Obtain DBMS specific SQL code portion needed to declare an text type - * field to be used in statements like CREATE TABLE. - * - * @param array $field associative array with the name of the properties - * of the field being declared as array indexes. Currently, the types - * of supported field properties are as follows: - * - * length - * Integer value that determines the maximum length of the text - * field. If this argument is missing the field should be - * declared to have the longest length allowed by the DBMS. - * - * default - * Text value to be used as default for this field. - * - * notnull - * Boolean flag that indicates whether this field is constrained - * to not be set to null. - * @return string DBMS specific SQL code portion that should be used to - * declare the specified field. - * @access public - */ - function getTypeDeclaration($field) - { - $db =$this->getDBInstance(); - if (PEAR::isError($db)) { - return $db; - } - - switch ($field['type']) { - case 'text': - $length = !empty($field['length']) - ? $field['length'] : false; - $fixed = !empty($field['fixed']) ? $field['fixed'] : false; - return $fixed ? ($length ? 'CHAR('.$length.')' : 'CHAR('.$db->options['default_text_field_length'].')') - : ($length ? 'VARCHAR('.$length.')' : 'TEXT'); - case 'clob': - if (!empty($field['length'])) { - $length = $field['length']; - if ($length <= 255) { - return 'TINYTEXT'; - } elseif ($length <= 65532) { - return 'TEXT'; - } elseif ($length <= 16777215) { - return 'MEDIUMTEXT'; - } - } - return 'LONGTEXT'; - case 'blob': - if (!empty($field['length'])) { - $length = $field['length']; - if ($length <= 255) { - return 'TINYBLOB'; - } elseif ($length <= 65532) { - return 'BLOB'; - } elseif ($length <= 16777215) { - return 'MEDIUMBLOB'; - } - } - return 'LONGBLOB'; - case 'integer': - if (!empty($field['length'])) { - $length = $field['length']; - if ($length <= 2) { - return 'SMALLINT'; - } elseif ($length == 3 || $length == 4) { - return 'INTEGER'; - } elseif ($length > 4) { - return 'BIGINT'; - } - } - return 'INTEGER'; - case 'boolean': - return 'BOOLEAN'; - case 'date': - return 'DATE'; - case 'time': - return 'TIME'; - case 'timestamp': - return 'DATETIME'; - case 'float': - return 'DOUBLE'.($db->options['fixed_float'] ? '('. - ($db->options['fixed_float']+2).','.$db->options['fixed_float'].')' : ''); - case 'decimal': - $length = !empty($field['length']) ? $field['length'] : 18; - $scale = !empty($field['scale']) ? $field['scale'] : $db->options['decimal_places']; - return 'DECIMAL('.$length.','.$scale.')'; - } - return ''; - } - - // }}} - // {{{ _getIntegerDeclaration() - - /** - * Obtain DBMS specific SQL code portion needed to declare an integer type - * field to be used in statements like CREATE TABLE. - * - * @param string $name name the field to be declared. - * @param string $field associative array with the name of the properties - * of the field being declared as array indexes. - * Currently, the types of supported field - * properties are as follows: - * - * unsigned - * Boolean flag that indicates whether the field - * should be declared as unsigned integer if - * possible. - * - * default - * Integer value to be used as default for this - * field. - * - * notnull - * Boolean flag that indicates whether this field is - * constrained to not be set to null. - * @return string DBMS specific SQL code portion that should be used to - * declare the specified field. - * @access protected - */ - function _getIntegerDeclaration($name, $field) - { - $db =$this->getDBInstance(); - if (PEAR::isError($db)) { - return $db; - } - - $default = $autoinc = ''; - if (!empty($field['autoincrement'])) { - $autoinc = ' PRIMARY KEY AUTOINCREMENT'; - } elseif (array_key_exists('default', $field)) { - if ($field['default'] === '') { - $field['default'] = empty($field['notnull']) ? null : 0; - } - $default = ' DEFAULT '.$this->quote($field['default'], 'integer'); - } - - $notnull = empty($field['notnull']) ? '' : ' NOT NULL'; - $unsigned = empty($field['unsigned']) ? '' : ' UNSIGNED'; - $name = $db->quoteIdentifier($name, true); - if($autoinc) { - return $name.' '.$this->getTypeDeclaration($field).$autoinc; - }else{ - return $name.' '.$this->getTypeDeclaration($field).$unsigned.$default.$notnull.$autoinc; - } - } - - // }}} - // {{{ matchPattern() - - /** - * build a pattern matching string - * - * @access public - * - * @param array $pattern even keys are strings, odd are patterns (% and _) - * @param string $operator optional pattern operator (LIKE, ILIKE and maybe others in the future) - * @param string $field optional field name that is being matched against - * (might be required when emulating ILIKE) - * - * @return string SQL pattern - */ - function matchPattern($pattern, $operator = null, $field = null) - { - $db =$this->getDBInstance(); - if (PEAR::isError($db)) { - return $db; - } - - $match = ''; - if (!is_null($operator)) { - $field = is_null($field) ? '' : $field.' '; - $operator = strtoupper($operator); - switch ($operator) { - // case insensitive - case 'ILIKE': - $match = $field.'LIKE '; - break; - // case sensitive - case 'LIKE': - $match = $field.'LIKE '; - break; - default: - return $db->raiseError(MDB2_ERROR_UNSUPPORTED, null, null, - 'not a supported operator type:'. $operator, __FUNCTION__); - } - } - $match.= "'"; - foreach ($pattern as $key => $value) { - if ($key % 2) { - $match.= $value; - } else { - $match.= $db->escapePattern($db->escape($value)); - } - } - $match.= "'"; - $match.= $this->patternEscapeString(); - return $match; - } - - // }}} - // {{{ _mapNativeDatatype() - - /** - * Maps a native array description of a field to a MDB2 datatype and length - * - * @param array $field native field description - * @return array containing the various possible types, length, sign, fixed - * @access public - */ - function _mapNativeDatatype($field) - { - $db_type = strtolower($field['type']); - $length = !empty($field['length']) ? $field['length'] : null; - $unsigned = !empty($field['unsigned']) ? $field['unsigned'] : null; - $fixed = null; - $type = array(); - switch ($db_type) { - case 'boolean': - $type[] = 'boolean'; - break; - case 'tinyint': - $type[] = 'integer'; - $type[] = 'boolean'; - if (preg_match('/^(is|has)/', $field['name'])) { - $type = array_reverse($type); - } - $unsigned = preg_match('/ unsigned/i', $field['type']); - $length = 1; - break; - case 'smallint': - $type[] = 'integer'; - $unsigned = preg_match('/ unsigned/i', $field['type']); - $length = 2; - break; - case 'mediumint': - $type[] = 'integer'; - $unsigned = preg_match('/ unsigned/i', $field['type']); - $length = 3; - break; - case 'int': - case 'integer': - case 'serial': - $type[] = 'integer'; - $unsigned = preg_match('/ unsigned/i', $field['type']); - $length = 4; - break; - case 'bigint': - case 'bigserial': - $type[] = 'integer'; - $unsigned = preg_match('/ unsigned/i', $field['type']); - $length = 8; - break; - case 'clob': - $type[] = 'clob'; - $fixed = false; - break; - case 'tinytext': - case 'mediumtext': - case 'longtext': - case 'text': - case 'varchar': - case 'varchar2': - $fixed = false; - case 'char': - $type[] = 'text'; - if ($length == '1') { - $type[] = 'boolean'; - if (preg_match('/^(is|has)/', $field['name'])) { - $type = array_reverse($type); - } - } elseif (strstr($db_type, 'text')) { - $type[] = 'clob'; - $type = array_reverse($type); - } - if ($fixed !== false) { - $fixed = true; - } - break; - case 'date': - $type[] = 'date'; - $length = null; - break; - case 'datetime': - case 'timestamp': - $type[] = 'timestamp'; - $length = null; - break; - case 'time': - $type[] = 'time'; - $length = null; - break; - case 'float': - case 'double': - case 'real': - $type[] = 'float'; - break; - case 'decimal': - case 'numeric': - $type[] = 'decimal'; - $length = $length.','.$field['decimal']; - break; - case 'tinyblob': - case 'mediumblob': - case 'longblob': - case 'blob': - $type[] = 'blob'; - $length = null; - break; - case 'year': - $type[] = 'integer'; - $type[] = 'date'; - $length = null; - break; - default: - $db =$this->getDBInstance(); - if (PEAR::isError($db)) { - return $db; - } - return $db->raiseError(MDB2_ERROR_UNSUPPORTED, null, null, - 'unknown database attribute type: '.$db_type, __FUNCTION__); - } - - if ((int)$length <= 0) { - $length = null; - } - - return array($type, $length, $unsigned, $fixed); - } - - // }}} -} diff --git a/lib/MDB2/Driver/Function/sqlite3.php b/lib/MDB2/Driver/Function/sqlite3.php deleted file mode 100644 index 4147a48199..0000000000 --- a/lib/MDB2/Driver/Function/sqlite3.php +++ /dev/null @@ -1,136 +0,0 @@ -. - * - */ - -require_once 'MDB2/Driver/Function/Common.php'; - -/** - * MDB2 SQLite driver for the function modules - * - * @package MDB2 - * @category Database - * @author Lukas Smith - */ -class MDB2_Driver_Function_sqlite3 extends MDB2_Driver_Function_Common -{ - // {{{ constructor - - /** - * Constructor - */ - function __construct($db_index) - { - parent::__construct($db_index); - // create all sorts of UDFs - } - - // {{{ now() - - /** - * Return string to call a variable with the current timestamp inside an SQL statement - * There are three special variables for current date and time. - * - * @return string to call a variable with the current timestamp - * @access public - */ - function now($type = 'timestamp') - { - switch ($type) { - case 'time': - return 'CURRENT_TIME'; - case 'date': - return 'CURRENT_DATE'; - case 'timestamp': - default: - return 'CURRENT_TIMESTAMP'; - } - } - - // }}} - // {{{ unixtimestamp() - - /** - * return string to call a function to get the unix timestamp from a iso timestamp - * - * @param string $expression - * - * @return string to call a variable with the timestamp - * @access public - */ - function unixtimestamp($expression) - { - return 'strftime("%s",'. $expression.', "utc")'; - } - - // }}} - // {{{ substring() - - /** - * return string to call a function to get a substring inside an SQL statement - * - * @return string to call a function to get a substring - * @access public - */ - function substring($value, $position = 1, $length = null) - { - if (!is_null($length)) { - return "substr($value, $position, $length)"; - } - return "substr($value, $position, length($value))"; - } - - // }}} - // {{{ random() - - /** - * return string to call a function to get random value inside an SQL statement - * - * @return return string to generate float between 0 and 1 - * @access public - */ - function random() - { - return '((RANDOM()+2147483648)/4294967296)'; - } - - // }}} - // {{{ replace() - - /** - * return string to call a function to get a replacement inside an SQL statement. - * - * @return string to call a function to get a replace - * @access public - */ - function replace($str, $from_str, $to_str) - { - $db =& $this->getDBInstance(); - if (PEAR::isError($db)) { - return $db; - } - - $error =& $db->raiseError(MDB2_ERROR_UNSUPPORTED, null, null, - 'method not implemented', __FUNCTION__); - return $error; - } - - // }}} -} diff --git a/lib/MDB2/Driver/Manager/sqlite3.php b/lib/MDB2/Driver/Manager/sqlite3.php deleted file mode 100644 index 921153c17d..0000000000 --- a/lib/MDB2/Driver/Manager/sqlite3.php +++ /dev/null @@ -1,1362 +0,0 @@ -. - * - */ - -require_once 'MDB2/Driver/Manager/Common.php'; - -/** - * MDB2 SQLite driver for the management modules - * - * @package MDB2 - * @category Database - * @author Lukas Smith - * @author Lorenzo Alberton - */ -class MDB2_Driver_Manager_sqlite3 extends MDB2_Driver_Manager_Common -{ - // {{{ createDatabase() - - /** - * create a new database - * - * @param string $name name of the database that should be created - * @param array $options array with charset info - * - * @return mixed MDB2_OK on success, a MDB2 error on failure - * @access public - */ - function createDatabase($name, $options = array()) - { - $datadir=OC_Config::getValue( "datadirectory", OC::$SERVERROOT."/data" ); - $db =$this->getDBInstance(); - if (PEAR::isError($db)) { - return $db; - } - - $database_file = $db->_getDatabaseFile($name); - if (file_exists($database_file)) { - return $db->raiseError(MDB2_ERROR_ALREADY_EXISTS, null, null, - 'database already exists', __FUNCTION__); - } - $php_errormsg = ''; - $database_file="$datadir/$database_file.db"; - $handle=new SQLite3($database_file); - if (!$handle) { - return $db->raiseError(MDB2_ERROR_CANNOT_CREATE, null, null, - (isset($php_errormsg) ? $php_errormsg : 'could not create the database file'), __FUNCTION__); - } - //sqlite doesn't support the latin1 we use -// if (!empty($options['charset'])) { -// $query = 'PRAGMA encoding = ' . $db->quote($options['charset'], 'text'); -// $handle->exec($query); -// } - $handle->close(); - return MDB2_OK; - } - - // }}} - // {{{ dropDatabase() - - /** - * drop an existing database - * - * @param string $name name of the database that should be dropped - * @return mixed MDB2_OK on success, a MDB2 error on failure - * @access public - */ - function dropDatabase($name) - { - $db =$this->getDBInstance(); - if (PEAR::isError($db)) { - return $db; - } - - $database_file = $db->_getDatabaseFile($name); - if (!@file_exists($database_file)) { - return $db->raiseError(MDB2_ERROR_CANNOT_DROP, null, null, - 'database does not exist', __FUNCTION__); - } - $result = @unlink($database_file); - if (!$result) { - return $db->raiseError(MDB2_ERROR_CANNOT_DROP, null, null, - (isset($php_errormsg) ? $php_errormsg : 'could not remove the database file'), __FUNCTION__); - } - return MDB2_OK; - } - - // }}} - // {{{ _getAdvancedFKOptions() - - /** - * Return the FOREIGN KEY query section dealing with non-standard options - * as MATCH, INITIALLY DEFERRED, ON UPDATE, ... - * - * @param array $definition - * @return string - * @access protected - */ - function _getAdvancedFKOptions($definition) - { - $query = ''; - if (!empty($definition['match'])) { - $query .= ' MATCH '.$definition['match']; - } - if (!empty($definition['onupdate']) && (strtoupper($definition['onupdate']) != 'NO ACTION')) { - $query .= ' ON UPDATE '.$definition['onupdate']; - } - if (!empty($definition['ondelete']) && (strtoupper($definition['ondelete']) != 'NO ACTION')) { - $query .= ' ON DELETE '.$definition['ondelete']; - } - if (!empty($definition['deferrable'])) { - $query .= ' DEFERRABLE'; - } else { - $query .= ' NOT DEFERRABLE'; - } - if (!empty($definition['initiallydeferred'])) { - $query .= ' INITIALLY DEFERRED'; - } else { - $query .= ' INITIALLY IMMEDIATE'; - } - return $query; - } - - // }}} - // {{{ _getCreateTableQuery() - - /** - * Create a basic SQL query for a new table creation - * @param string $name Name of the database that should be created - * @param array $fields Associative array that contains the definition of each field of the new table - * @param array $options An associative array of table options - * @return mixed string (the SQL query) on success, a MDB2 error on failure - * @see createTable() - */ - function _getCreateTableQuery($name, $fields, $options = array()) - { - $db =$this->getDBInstance(); - if (PEAR::isError($db)) { - return $db; - } - - if (!$name) { - return $db->raiseError(MDB2_ERROR_CANNOT_CREATE, null, null, - 'no valid table name specified', __FUNCTION__); - } - if (empty($fields)) { - return $db->raiseError(MDB2_ERROR_CANNOT_CREATE, null, null, - 'no fields specified for table "'.$name.'"', __FUNCTION__); - } - $query_fields = $this->getFieldDeclarationList($fields); - if (PEAR::isError($query_fields)) { - return $query_fields; - } - if (!empty($options['foreign_keys'])) { - foreach ($options['foreign_keys'] as $fkname => $fkdef) { - if (empty($fkdef)) { - continue; - } - $query_fields.= ', CONSTRAINT '.$fkname.' FOREIGN KEY ('.implode(', ', array_keys($fkdef['fields'])).')'; - $query_fields.= ' REFERENCES '.$fkdef['references']['table'].' ('.implode(', ', array_keys($fkdef['references']['fields'])).')'; - $query_fields.= $this->_getAdvancedFKOptions($fkdef); - } - } - - $name = $db->quoteIdentifier($name, true); - $result = 'CREATE '; - if (!empty($options['temporary'])) { - $result .= $this->_getTemporaryTableQuery(); - } - $result .= " TABLE $name ($query_fields)"; - return $result; - } - - // }}} - // {{{ createTable() - - /** - * create a new table - * - * @param string $name Name of the database that should be created - * @param array $fields Associative array that contains the definition - * of each field of the new table - * @param array $options An associative array of table options - * - * @return mixed MDB2_OK on success, a MDB2 error on failure - * @access public - */ - function createTable($name, $fields, $options = array()) - { - $result = parent::createTable($name, $fields, $options); - if (PEAR::isError($result)) { - return $result; - } - // create triggers to enforce FOREIGN KEY constraints - if (!empty($options['foreign_keys'])) { - $db =$this->getDBInstance(); - if (PEAR::isError($db)) { - return $db; - } - foreach ($options['foreign_keys'] as $fkname => $fkdef) { - if (empty($fkdef)) { - continue; - } - //set actions to default if not set - $fkdef['onupdate'] = empty($fkdef['onupdate']) ? $db->options['default_fk_action_onupdate'] : strtoupper($fkdef['onupdate']); - $fkdef['ondelete'] = empty($fkdef['ondelete']) ? $db->options['default_fk_action_ondelete'] : strtoupper($fkdef['ondelete']); - - $trigger_names = array( - 'insert' => $fkname.'_insert_trg', - 'update' => $fkname.'_update_trg', - 'pk_update' => $fkname.'_pk_update_trg', - 'pk_delete' => $fkname.'_pk_delete_trg', - ); - - //create the [insert|update] triggers on the FK table - $table_fields = array_keys($fkdef['fields']); - $referenced_fields = array_keys($fkdef['references']['fields']); - $query = 'CREATE TRIGGER %s BEFORE %s ON '.$name - .' FOR EACH ROW BEGIN' - .' SELECT RAISE(ROLLBACK, \'%s on table "'.$name.'" violates FOREIGN KEY constraint "'.$fkname.'"\')' - .' WHERE (SELECT '; - $aliased_fields = array(); - foreach ($referenced_fields as $field) { - $aliased_fields[] = $fkdef['references']['table'] .'.'.$field .' AS '.$field; - } - $query .= implode(',', $aliased_fields) - .' FROM '.$fkdef['references']['table'] - .' WHERE '; - $conditions = array(); - for ($i=0; $iexec(sprintf($query, $trigger_names['insert'], 'INSERT', 'insert')); - if (PEAR::isError($result)) { - return $result; - } - - $result = $db->exec(sprintf($query, $trigger_names['update'], 'UPDATE', 'update')); - if (PEAR::isError($result)) { - return $result; - } - - //create the ON [UPDATE|DELETE] triggers on the primary table - $restrict_action = 'SELECT RAISE(ROLLBACK, \'%s on table "'.$name.'" violates FOREIGN KEY constraint "'.$fkname.'"\')' - .' WHERE (SELECT '; - $aliased_fields = array(); - foreach ($table_fields as $field) { - $aliased_fields[] = $name .'.'.$field .' AS '.$field; - } - $restrict_action .= implode(',', $aliased_fields) - .' FROM '.$name - .' WHERE '; - $conditions = array(); - $new_values = array(); - $null_values = array(); - for ($i=0; $i OLD.'.$referenced_fields[$i]; - } - $restrict_action .= implode(' AND ', $conditions).') IS NOT NULL' - .' AND (' .implode(' OR ', $conditions2) .')'; - - $cascade_action_update = 'UPDATE '.$name.' SET '.implode(', ', $new_values) .' WHERE '.implode(' AND ', $conditions); - $cascade_action_delete = 'DELETE FROM '.$name.' WHERE '.implode(' AND ', $conditions); - $setnull_action = 'UPDATE '.$name.' SET '.implode(', ', $null_values).' WHERE '.implode(' AND ', $conditions); - - if ('SET DEFAULT' == $fkdef['onupdate'] || 'SET DEFAULT' == $fkdef['ondelete']) { - $db->loadModule('Reverse', null, true); - $default_values = array(); - foreach ($table_fields as $table_field) { - $field_definition = $db->reverse->getTableFieldDefinition($name, $field); - if (PEAR::isError($field_definition)) { - return $field_definition; - } - $default_values[] = $table_field .' = '. $field_definition[0]['default']; - } - $setdefault_action = 'UPDATE '.$name.' SET '.implode(', ', $default_values).' WHERE '.implode(' AND ', $conditions); - } - - $query = 'CREATE TRIGGER %s' - .' %s ON '.$fkdef['references']['table'] - .' FOR EACH ROW BEGIN '; - - if ('CASCADE' == $fkdef['onupdate']) { - $sql_update = sprintf($query, $trigger_names['pk_update'], 'AFTER UPDATE', 'update') . $cascade_action_update. '; END;'; - } elseif ('SET NULL' == $fkdef['onupdate']) { - $sql_update = sprintf($query, $trigger_names['pk_update'], 'BEFORE UPDATE', 'update') . $setnull_action. '; END;'; - } elseif ('SET DEFAULT' == $fkdef['onupdate']) { - $sql_update = sprintf($query, $trigger_names['pk_update'], 'BEFORE UPDATE', 'update') . $setdefault_action. '; END;'; - } elseif ('NO ACTION' == $fkdef['onupdate']) { - $sql_update = sprintf($query.$restrict_action, $trigger_names['pk_update'], 'AFTER UPDATE', 'update') . '; END;'; - } elseif ('RESTRICT' == $fkdef['onupdate']) { - $sql_update = sprintf($query.$restrict_action, $trigger_names['pk_update'], 'BEFORE UPDATE', 'update') . '; END;'; - } - if ('CASCADE' == $fkdef['ondelete']) { - $sql_delete = sprintf($query, $trigger_names['pk_delete'], 'AFTER DELETE', 'delete') . $cascade_action_delete. '; END;'; - } elseif ('SET NULL' == $fkdef['ondelete']) { - $sql_delete = sprintf($query, $trigger_names['pk_delete'], 'BEFORE DELETE', 'delete') . $setnull_action. '; END;'; - } elseif ('SET DEFAULT' == $fkdef['ondelete']) { - $sql_delete = sprintf($query, $trigger_names['pk_delete'], 'BEFORE DELETE', 'delete') . $setdefault_action. '; END;'; - } elseif ('NO ACTION' == $fkdef['ondelete']) { - $sql_delete = sprintf($query.$restrict_action, $trigger_names['pk_delete'], 'AFTER DELETE', 'delete') . '; END;'; - } elseif ('RESTRICT' == $fkdef['ondelete']) { - $sql_delete = sprintf($query.$restrict_action, $trigger_names['pk_delete'], 'BEFORE DELETE', 'delete') . '; END;'; - } - - if (PEAR::isError($result)) { - return $result; - } - $result = $db->exec($sql_delete); - if (PEAR::isError($result)) { - return $result; - } - $result = $db->exec($sql_update); - if (PEAR::isError($result)) { - return $result; - } - } - } - if (PEAR::isError($result)) { - return $result; - } - return MDB2_OK; - } - - // }}} - // {{{ dropTable() - - /** - * drop an existing table - * - * @param string $name name of the table that should be dropped - * @return mixed MDB2_OK on success, a MDB2 error on failure - * @access public - */ - function dropTable($name) - { - $db =$this->getDBInstance(); - if (PEAR::isError($db)) { - return $db; - } - - //delete the triggers associated to existing FK constraints - $constraints = $this->listTableConstraints($name); - if (!PEAR::isError($constraints) && !empty($constraints)) { - $db->loadModule('Reverse', null, true); - foreach ($constraints as $constraint) { - $definition = $db->reverse->getTableConstraintDefinition($name, $constraint); - if (!PEAR::isError($definition) && !empty($definition['foreign'])) { - $result = $this->_dropFKTriggers($name, $constraint, $definition['references']['table']); - if (PEAR::isError($result)) { - return $result; - } - } - } - } - - $name = $db->quoteIdentifier($name, true); - return $db->exec("DROP TABLE $name"); - } - - // }}} - // {{{ vacuum() - - /** - * Optimize (vacuum) all the tables in the db (or only the specified table) - * and optionally run ANALYZE. - * - * @param string $table table name (all the tables if empty) - * @param array $options an array with driver-specific options: - * - timeout [int] (in seconds) [mssql-only] - * - analyze [boolean] [pgsql and mysql] - * - full [boolean] [pgsql-only] - * - freeze [boolean] [pgsql-only] - * - * @return mixed MDB2_OK success, a MDB2 error on failure - * @access public - */ - function vacuum($table = null, $options = array()) - { - $db =$this->getDBInstance(); - if (PEAR::isError($db)) { - return $db; - } - - $query = 'VACUUM'; - if (!empty($table)) { - $query .= ' '.$db->quoteIdentifier($table, true); - } - return $db->exec($query); - } - - // }}} - // {{{ alterTable() - - /** - * alter an existing table - * - * @param string $name name of the table that is intended to be changed. - * @param array $changes associative array that contains the details of each type - * of change that is intended to be performed. The types of - * changes that are currently supported are defined as follows: - * - * name - * - * New name for the table. - * - * add - * - * Associative array with the names of fields to be added as - * indexes of the array. The value of each entry of the array - * should be set to another associative array with the properties - * of the fields to be added. The properties of the fields should - * be the same as defined by the MDB2 parser. - * - * - * remove - * - * Associative array with the names of fields to be removed as indexes - * of the array. Currently the values assigned to each entry are ignored. - * An empty array should be used for future compatibility. - * - * rename - * - * Associative array with the names of fields to be renamed as indexes - * of the array. The value of each entry of the array should be set to - * another associative array with the entry named name with the new - * field name and the entry named Declaration that is expected to contain - * the portion of the field declaration already in DBMS specific SQL code - * as it is used in the CREATE TABLE statement. - * - * change - * - * Associative array with the names of the fields to be changed as indexes - * of the array. Keep in mind that if it is intended to change either the - * name of a field and any other properties, the change array entries - * should have the new names of the fields as array indexes. - * - * The value of each entry of the array should be set to another associative - * array with the properties of the fields to that are meant to be changed as - * array entries. These entries should be assigned to the new values of the - * respective properties. The properties of the fields should be the same - * as defined by the MDB2 parser. - * - * Example - * array( - * 'name' => 'userlist', - * 'add' => array( - * 'quota' => array( - * 'type' => 'integer', - * 'unsigned' => 1 - * ) - * ), - * 'remove' => array( - * 'file_limit' => array(), - * 'time_limit' => array() - * ), - * 'change' => array( - * 'name' => array( - * 'length' => '20', - * 'definition' => array( - * 'type' => 'text', - * 'length' => 20, - * ), - * ) - * ), - * 'rename' => array( - * 'sex' => array( - * 'name' => 'gender', - * 'definition' => array( - * 'type' => 'text', - * 'length' => 1, - * 'default' => 'M', - * ), - * ) - * ) - * ) - * - * @param boolean $check indicates whether the function should just check if the DBMS driver - * can perform the requested table alterations if the value is true or - * actually perform them otherwise. - * @access public - * - * @return mixed MDB2_OK on success, a MDB2 error on failure - */ - function alterTable($name, $changes, $check, $options = array()) - { - $db =$this->getDBInstance(); - if (PEAR::isError($db)) { - return $db; - } - - foreach ($changes as $change_name => $change) { - switch ($change_name) { - case 'add': - case 'remove': - case 'change': - case 'name': - case 'rename': - break; - default: - return $db->raiseError(MDB2_ERROR_CANNOT_ALTER, null, null, - 'change type "'.$change_name.'" not yet supported', __FUNCTION__); - } - } - - if ($check) { - return MDB2_OK; - } - - if (empty($changes['remove']) and empty($changes['rename']) and empty($changes['change']) ) {//if only rename or add changes are required, we can use ALTER TABLE - $query = ''; - if (!empty($changes['name'])) { - $change_name = $db->quoteIdentifier($changes['name'], true); - $query = 'RENAME TO ' . $change_name; - $db->exec("ALTER TABLE $name $query"); - } - - if (!empty($changes['add']) && is_array($changes['add'])) { - foreach ($changes['add'] as $field_name => $field) { - $query= 'ADD ' . $db->getDeclaration($field['type'], $field_name, $field); - $db->exec("ALTER TABLE $name $query"); - } - } - return MDB2_OK; - } - - $db->loadModule('Reverse', null, true); - - // for other operations we need to emulate them with sqlite3 - $fields = $db->manager->listTableFields($name); - if (PEAR::isError($fields)) { - return $fields; - } - - $fields = array_flip($fields); - foreach ($fields as $field => $value) { - $definition = $db->reverse->getTableFieldDefinition($name, $field); - if (PEAR::isError($definition)) { - return $definition; - } - $fields[$field] = $definition[0]; - } - - $indexes = $db->manager->listTableIndexes($name); - if (PEAR::isError($indexes)) { - return $indexes; - } - - $indexes = array_flip($indexes); - foreach ($indexes as $index => $value) { - $definition = $db->reverse->getTableIndexDefinition($name, $index); - if (PEAR::isError($definition)) { - return $definition; - } - $indexes[$index] = $definition; - } - - $constraints = $db->manager->listTableConstraints($name); - if (PEAR::isError($constraints)) { - return $constraints; - } - - if (!array_key_exists('foreign_keys', $options)) { - $options['foreign_keys'] = array(); - } - $constraints = array_flip($constraints); - foreach ($constraints as $constraint => $value) { - if (!empty($definition['primary'])) { - if (!array_key_exists('primary', $options)) { - $options['primary'] = $definition['fields']; - //remove from the $constraint array, it's already handled by createTable() - unset($constraints[$constraint]); - } - } else { - $c_definition = $db->reverse->getTableConstraintDefinition($name, $constraint); - if (PEAR::isError($c_definition)) { - return $c_definition; - } - if (!empty($c_definition['foreign'])) { - if (!array_key_exists($constraint, $options['foreign_keys'])) { - $options['foreign_keys'][$constraint] = $c_definition; - } - //remove from the $constraint array, it's already handled by createTable() - unset($constraints[$constraint]); - } else { - $constraints[$constraint] = $c_definition; - } - } - } - - $name_new = $name; - $create_order = $select_fields = array_keys($fields); - foreach ($changes as $change_name => $change) { - switch ($change_name) { - case 'add': - foreach ($change as $field_name => $field) { - $fields[$field_name] = $field; - $create_order[] = $field_name; - } - break; - case 'remove': - foreach ($change as $field_name => $field) { - unset($fields[$field_name]); - $select_fields = array_diff($select_fields, array($field_name)); - $create_order = array_diff($create_order, array($field_name)); - } - break; - case 'change': - foreach ($change as $field_name => $field) { - $fields[$field_name] = $field['definition']; - } - break; - case 'name': - $name_new = $change; - break; - case 'rename': - foreach ($change as $field_name => $field) { - unset($fields[$field_name]); - $fields[$field['name']] = $field['definition']; - $create_order[array_search($field_name, $create_order)] = $field['name']; - } - break; - default: - return $db->raiseError(MDB2_ERROR_CANNOT_ALTER, null, null, - 'change type "'.$change_name.'" not yet supported', __FUNCTION__); - } - } - - //rename the old table so we can create the new one - $db->exec("ALTER TABLE $name RENAME TO __$name"); - $data = null; - - - $result = $this->createTable($name_new, $fields, $options); - if (PEAR::isError($result)) { - return $result; - } - - //these seem to only give errors - -// foreach ($indexes as $index => $definition) { -// $this->createIndex($name_new, $index, $definition); -// } - -// foreach ($constraints as $constraint => $definition) { -// $this->createConstraint($name_new, $constraint, $definition); -// } - - //fill the new table with data from the old one - if (!empty($select_fields)) { - $query = 'INSERT INTO '.$db->quoteIdentifier($name_new, true); - $query.= '('.implode(', ', array_slice(array_keys($fields), 0, count($select_fields))).')'; - $query .= ' SELECT '.implode(', ', $select_fields).' FROM '.$db->quoteIdentifier('__'.$name, true); - $db->exec($query); - } - -// if (!empty($select_fields) && !empty($data)) { -// $query = 'INSERT INTO '.$db->quoteIdentifier($name_new, true); -// $query.= '('.implode(', ', array_slice(array_keys($fields), 0, count($select_fields))).')'; -// $query.=' VALUES (?'.str_repeat(', ?', (count($select_fields) - 1)).')'; -// $stmt =$db->prepare($query, null, MDB2_PREPARE_MANIP); -// if (PEAR::isError($stmt)) { -// return $stmt; -// } -// foreach ($data as $row) { -// $result = $stmt->execute($row); -// if (PEAR::isError($result)) { -// return $result; -// } -// } -// } - - //remove the old table - $result = $this->dropTable('__'.$name); - if (PEAR::isError($result)) { - return $result; - } - return MDB2_OK; - } - - // }}} - // {{{ listDatabases() - - /** - * list all databases - * - * @return mixed array of database names on success, a MDB2 error on failure - * @access public - */ - function listDatabases() - { - $db =$this->getDBInstance(); - if (PEAR::isError($db)) { - return $db; - } - - return $db->raiseError(MDB2_ERROR_UNSUPPORTED, null, null, - 'list databases is not supported', __FUNCTION__); - } - - // }}} - // {{{ listUsers() - - /** - * list all users - * - * @return mixed array of user names on success, a MDB2 error on failure - * @access public - */ - function listUsers() - { - $db =$this->getDBInstance(); - if (PEAR::isError($db)) { - return $db; - } - - return $db->raiseError(MDB2_ERROR_UNSUPPORTED, null, null, - 'list databases is not supported', __FUNCTION__); - } - - // }}} - // {{{ listViews() - - /** - * list all views in the current database - * - * @return mixed array of view names on success, a MDB2 error on failure - * @access public - */ - function listViews($dummy=null) - { - $db =$this->getDBInstance(); - if (PEAR::isError($db)) { - return $db; - } - - $query = "SELECT name FROM sqlite_master WHERE type='view' AND sql NOT NULL"; - $result = $db->queryCol($query); - if (PEAR::isError($result)) { - return $result; - } - if ($db->options['portability'] & MDB2_PORTABILITY_FIX_CASE) { - $result = array_map(($db->options['field_case'] == CASE_LOWER ? 'strtolower' : 'strtoupper'), $result); - } - return $result; - } - - // }}} - // {{{ listTableViews() - - /** - * list the views in the database that reference a given table - * - * @param string table for which all referenced views should be found - * @return mixed array of view names on success, a MDB2 error on failure - * @access public - */ - function listTableViews($table) - { - $db =$this->getDBInstance(); - if (PEAR::isError($db)) { - return $db; - } - - $query = "SELECT name, sql FROM sqlite_master WHERE type='view' AND sql NOT NULL"; - $views = $db->queryAll($query, array('text', 'text'), MDB2_FETCHMODE_ASSOC); - if (PEAR::isError($views)) { - return $views; - } - $result = array(); - foreach ($views as $row) { - if (preg_match("/^create view .* \bfrom\b\s+\b{$table}\b /i", $row['sql'])) { - if (!empty($row['name'])) { - $result[$row['name']] = true; - } - } - } - - if ($db->options['portability'] & MDB2_PORTABILITY_FIX_CASE) { - $result = array_change_key_case($result, $db->options['field_case']); - } - return array_keys($result); - } - - // }}} - // {{{ listTables() - - /** - * list all tables in the current database - * - * @return mixed array of table names on success, a MDB2 error on failure - * @access public - */ - function listTables($dummy=null) - { - $db =$this->getDBInstance(); - if (PEAR::isError($db)) { - return $db; - } - - $query = "SELECT name FROM sqlite_master WHERE type='table' AND sql NOT NULL AND name!='sqlite_sequence' ORDER BY name"; - $table_names = $db->queryCol($query); - if (PEAR::isError($table_names)) { - return $table_names; - } - $result = array(); - foreach ($table_names as $table_name) { - if (!$this->_fixSequenceName($table_name, true)) { - $result[] = $table_name; - } - } - if ($db->options['portability'] & MDB2_PORTABILITY_FIX_CASE) { - $result = array_map(($db->options['field_case'] == CASE_LOWER ? 'strtolower' : 'strtoupper'), $result); - } - return $result; - } - - // }}} - // {{{ listTableFields() - - /** - * list all fields in a table in the current database - * - * @param string $table name of table that should be used in method - * @return mixed array of field names on success, a MDB2 error on failure - * @access public - */ - function listTableFields($table) - { - $db =$this->getDBInstance(); - if (PEAR::isError($db)) { - return $db; - } - - $result = $db->loadModule('Reverse', null, true); - if (PEAR::isError($result)) { - return $result; - } - $query = "SELECT sql FROM sqlite_master WHERE type='table' AND "; - if ($db->options['portability'] & MDB2_PORTABILITY_FIX_CASE) { - $query.= 'LOWER(name)='.$db->quote(strtolower($table), 'text'); - } else { - $query.= 'name='.$db->quote($table, 'text'); - } - $sql = $db->queryOne($query); - if (PEAR::isError($sql)) { - return $sql; - } - $columns = $db->reverse->_getTableColumns($sql); - $fields = array(); - foreach ($columns as $column) { - if ($db->options['portability'] & MDB2_PORTABILITY_FIX_CASE) { - if ($db->options['field_case'] == CASE_LOWER) { - $column['name'] = strtolower($column['name']); - } else { - $column['name'] = strtoupper($column['name']); - } - } else { - $column = array_change_key_case($column, $db->options['field_case']); - } - $fields[] = $column['name']; - } - return $fields; - } - - // }}} - // {{{ listTableTriggers() - - /** - * list all triggers in the database that reference a given table - * - * @param string table for which all referenced triggers should be found - * @return mixed array of trigger names on success, a MDB2 error on failure - * @access public - */ - function listTableTriggers($table = null) - { - $db =$this->getDBInstance(); - if (PEAR::isError($db)) { - return $db; - } - - $query = "SELECT name FROM sqlite_master WHERE type='trigger' AND sql NOT NULL"; - if (!is_null($table)) { - if ($db->options['portability'] & MDB2_PORTABILITY_FIX_CASE) { - $query.= ' AND LOWER(tbl_name)='.$db->quote(strtolower($table), 'text'); - } else { - $query.= ' AND tbl_name='.$db->quote($table, 'text'); - } - } - $result = $db->queryCol($query); - if (PEAR::isError($result)) { - return $result; - } - if ($db->options['portability'] & MDB2_PORTABILITY_FIX_CASE) { - $result = array_map(($db->options['field_case'] == CASE_LOWER ? 'strtolower' : 'strtoupper'), $result); - } - return $result; - } - - // }}} - // {{{ createIndex() - - /** - * Get the stucture of a field into an array - * - * @param string $table name of the table on which the index is to be created - * @param string $name name of the index to be created - * @param array $definition associative array that defines properties of the index to be created. - * Currently, only one property named FIELDS is supported. This property - * is also an associative with the names of the index fields as array - * indexes. Each entry of this array is set to another type of associative - * array that specifies properties of the index that are specific to - * each field. - * - * Currently, only the sorting property is supported. It should be used - * to define the sorting direction of the index. It may be set to either - * ascending or descending. - * - * Not all DBMS support index sorting direction configuration. The DBMS - * drivers of those that do not support it ignore this property. Use the - * function support() to determine whether the DBMS driver can manage indexes. - - * Example - * array( - * 'fields' => array( - * 'user_name' => array( - * 'sorting' => 'ascending' - * ), - * 'last_login' => array() - * ) - * ) - * @return mixed MDB2_OK on success, a MDB2 error on failure - * @access public - */ - function createIndex($table, $name, $definition) - { - $db =$this->getDBInstance(); - if (PEAR::isError($db)) { - return $db; - } - - $table = $db->quoteIdentifier($table, true); - $name = $db->getIndexName($name); - $query = "CREATE INDEX $name ON $table"; - $fields = array(); - foreach ($definition['fields'] as $field_name => $field) { - $field_string = $field_name; - if (!empty($field['sorting'])) { - switch ($field['sorting']) { - case 'ascending': - $field_string.= ' ASC'; - break; - case 'descending': - $field_string.= ' DESC'; - break; - } - } - $fields[] = $field_string; - } - $query .= ' ('.implode(', ', $fields) . ')'; - return $db->exec($query); - } - - // }}} - // {{{ dropIndex() - - /** - * drop existing index - * - * @param string $table name of table that should be used in method - * @param string $name name of the index to be dropped - * @return mixed MDB2_OK on success, a MDB2 error on failure - * @access public - */ - function dropIndex($table, $name) - { - $db =$this->getDBInstance(); - if (PEAR::isError($db)) { - return $db; - } - - $name = $db->getIndexName($name); - return $db->exec("DROP INDEX $name"); - } - - // }}} - // {{{ listTableIndexes() - - /** - * list all indexes in a table - * - * @param string $table name of table that should be used in method - * @return mixed array of index names on success, a MDB2 error on failure - * @access public - */ - function listTableIndexes($table) - { - $db =$this->getDBInstance(); - if (PEAR::isError($db)) { - return $db; - } - - $table = $db->quote($table, 'text'); - $query = "SELECT sql FROM sqlite_master WHERE type='index' AND "; - if ($db->options['portability'] & MDB2_PORTABILITY_FIX_CASE) { - $query.= 'LOWER(tbl_name)='.strtolower($table); - } else { - $query.= "tbl_name=$table"; - } - $query.= " AND sql NOT NULL ORDER BY name"; - $indexes = $db->queryCol($query, 'text'); - if (PEAR::isError($indexes)) { - return $indexes; - } - - $result = array(); - foreach ($indexes as $sql) { - if (preg_match("/^create index ([^ ]+) on /i", $sql, $tmp)) { - $index = $this->_fixIndexName($tmp[1]); - if (!empty($index)) { - $result[$index] = true; - } - } - } - - if ($db->options['portability'] & MDB2_PORTABILITY_FIX_CASE) { - $result = array_change_key_case($result, $db->options['field_case']); - } - return array_keys($result); - } - - // }}} - // {{{ createConstraint() - - /** - * create a constraint on a table - * - * @param string $table name of the table on which the constraint is to be created - * @param string $name name of the constraint to be created - * @param array $definition associative array that defines properties of the constraint to be created. - * Currently, only one property named FIELDS is supported. This property - * is also an associative with the names of the constraint fields as array - * constraints. Each entry of this array is set to another type of associative - * array that specifies properties of the constraint that are specific to - * each field. - * - * Example - * array( - * 'fields' => array( - * 'user_name' => array(), - * 'last_login' => array() - * ) - * ) - * @return mixed MDB2_OK on success, a MDB2 error on failure - * @access public - */ - function createConstraint($table, $name, $definition) - { - $db =$this->getDBInstance(); - if (PEAR::isError($db)) { - return $db; - } - - if (!empty($definition['primary'])) { - return $db->manager->alterTable($table, array(), false, array('primary' => $definition['fields'])); - } - - if (!empty($definition['foreign'])) { - return $db->manager->alterTable($table, array(), false, array('foreign_keys' => array($name => $definition))); - } - - $table = $db->quoteIdentifier($table, true); - $name = $db->getIndexName($name); - $query = "CREATE UNIQUE INDEX $name ON $table"; - $fields = array(); - foreach ($definition['fields'] as $field_name => $field) { - $field_string = $field_name; - if (!empty($field['sorting'])) { - switch ($field['sorting']) { - case 'ascending': - $field_string.= ' ASC'; - break; - case 'descending': - $field_string.= ' DESC'; - break; - } - } - $fields[] = $field_string; - } - $query .= ' ('.implode(', ', $fields) . ')'; - return $db->exec($query); - } - - // }}} - // {{{ dropConstraint() - - /** - * drop existing constraint - * - * @param string $table name of table that should be used in method - * @param string $name name of the constraint to be dropped - * @param string $primary hint if the constraint is primary - * @return mixed MDB2_OK on success, a MDB2 error on failure - * @access public - */ - function dropConstraint($table, $name, $primary = false) - { - if ($primary || $name == 'PRIMARY') { - return $this->alterTable($table, array(), false, array('primary' => null)); - } - - $db =$this->getDBInstance(); - if (PEAR::isError($db)) { - return $db; - } - - //is it a FK constraint? If so, also delete the associated triggers - $db->loadModule('Reverse', null, true); - $definition = $db->reverse->getTableConstraintDefinition($table, $name); - if (!PEAR::isError($definition) && !empty($definition['foreign'])) { - //first drop the FK enforcing triggers - $result = $this->_dropFKTriggers($table, $name, $definition['references']['table']); - if (PEAR::isError($result)) { - return $result; - } - //then drop the constraint itself - return $this->alterTable($table, array(), false, array('foreign_keys' => array($name => null))); - } - - $name = $db->getIndexName($name); - return $db->exec("DROP INDEX $name"); - } - - // }}} - // {{{ _dropFKTriggers() - - /** - * Drop the triggers created to enforce the FOREIGN KEY constraint on the table - * - * @param string $table table name - * @param string $fkname FOREIGN KEY constraint name - * @param string $referenced_table referenced table name - * - * @return mixed MDB2_OK on success, a MDB2 error on failure - * @access private - */ - function _dropFKTriggers($table, $fkname, $referenced_table) - { - $db =$this->getDBInstance(); - if (PEAR::isError($db)) { - return $db; - } - - $triggers = $this->listTableTriggers($table); - $triggers2 = $this->listTableTriggers($referenced_table); - if (!PEAR::isError($triggers2) && !PEAR::isError($triggers)) { - $triggers = array_merge($triggers, $triggers2); - $pattern = '/^'.$fkname.'(_pk)?_(insert|update|delete)_trg$/i'; - foreach ($triggers as $trigger) { - if (preg_match($pattern, $trigger)) { - $result = $db->exec('DROP TRIGGER '.$trigger); - if (PEAR::isError($result)) { - return $result; - } - } - } - } - return MDB2_OK; - } - - // }}} - // {{{ listTableConstraints() - - /** - * list all constraints in a table - * - * @param string $table name of table that should be used in method - * @return mixed array of constraint names on success, a MDB2 error on failure - * @access public - */ - function listTableConstraints($table) - { - $db =$this->getDBInstance(); - if (PEAR::isError($db)) { - return $db; - } - - $table = $db->quote($table, 'text'); - $query = "SELECT sql FROM sqlite_master WHERE type='index' AND "; - if ($db->options['portability'] & MDB2_PORTABILITY_FIX_CASE) { - $query.= 'LOWER(tbl_name)='.strtolower($table); - } else { - $query.= "tbl_name=$table"; - } - $query.= " AND sql NOT NULL ORDER BY name"; - $indexes = $db->queryCol($query, 'text'); - if (PEAR::isError($indexes)) { - return $indexes; - } - - $result = array(); - foreach ($indexes as $sql) { - if (preg_match("/^create unique index ([^ ]+) on /i", $sql, $tmp)) { - $index = $this->_fixIndexName($tmp[1]); - if (!empty($index)) { - $result[$index] = true; - } - } - } - - // also search in table definition for PRIMARY KEYs... - $query = "SELECT sql FROM sqlite_master WHERE type='table' AND "; - if ($db->options['portability'] & MDB2_PORTABILITY_FIX_CASE) { - $query.= 'LOWER(name)='.strtolower($table); - } else { - $query.= "name=$table"; - } - $query.= " AND sql NOT NULL ORDER BY name"; - $table_def = $db->queryOne($query, 'text'); - if (PEAR::isError($table_def)) { - return $table_def; - } - if (preg_match("/\bPRIMARY\s+KEY\b/i", $table_def, $tmp)) { - $result['primary'] = true; - } - - // ...and for FOREIGN KEYs - if (preg_match_all("/\bCONSTRAINT\b\s+([^\s]+)\s+\bFOREIGN\s+KEY/imsx", $table_def, $tmp)) { - foreach ($tmp[1] as $fk) { - $result[$fk] = true; - } - } - - if ($db->options['portability'] & MDB2_PORTABILITY_FIX_CASE) { - $result = array_change_key_case($result, $db->options['field_case']); - } - return array_keys($result); - } - - // }}} - // {{{ createSequence() - - /** - * create sequence - * - * @param string $seq_name name of the sequence to be created - * @param string $start start value of the sequence; default is 1 - * @return mixed MDB2_OK on success, a MDB2 error on failure - * @access public - */ - function createSequence($seq_name, $start = 1) - { - $db =$this->getDBInstance(); - if (PEAR::isError($db)) { - return $db; - } - - $sequence_name = $db->quoteIdentifier($db->getSequenceName($seq_name), true); - $seqcol_name = $db->quoteIdentifier($db->options['seqcol_name'], true); - $query = "CREATE TABLE $sequence_name ($seqcol_name INTEGER PRIMARY KEY DEFAULT 0 NOT NULL)"; - $res = $db->exec($query); - if (PEAR::isError($res)) { - return $res; - } - if ($start == 1) { - return MDB2_OK; - } - $res = $db->exec("INSERT INTO $sequence_name ($seqcol_name) VALUES (".($start-1).')'); - if (!PEAR::isError($res)) { - return MDB2_OK; - } - // Handle error - $result = $db->exec("DROP TABLE $sequence_name"); - if (PEAR::isError($result)) { - return $db->raiseError($result, null, null, - 'could not drop inconsistent sequence table', __FUNCTION__); - } - return $db->raiseError($res, null, null, - 'could not create sequence table', __FUNCTION__); - } - - // }}} - // {{{ dropSequence() - - /** - * drop existing sequence - * - * @param string $seq_name name of the sequence to be dropped - * @return mixed MDB2_OK on success, a MDB2 error on failure - * @access public - */ - function dropSequence($seq_name) - { - $db =$this->getDBInstance(); - if (PEAR::isError($db)) { - return $db; - } - - $sequence_name = $db->quoteIdentifier($db->getSequenceName($seq_name), true); - return $db->exec("DROP TABLE $sequence_name"); - } - - // }}} - // {{{ listSequences() - - /** - * list all sequences in the current database - * - * @return mixed array of sequence names on success, a MDB2 error on failure - * @access public - */ - function listSequences($dummy=null) - { - $db =$this->getDBInstance(); - if (PEAR::isError($db)) { - return $db; - } - - $query = "SELECT name FROM sqlite_master WHERE type='table' AND sql NOT NULL ORDER BY name"; - $table_names = $db->queryCol($query); - if (PEAR::isError($table_names)) { - return $table_names; - } - $result = array(); - foreach ($table_names as $table_name) { - if ($sqn = $this->_fixSequenceName($table_name, true)) { - $result[] = $sqn; - } - } - if ($db->options['portability'] & MDB2_PORTABILITY_FIX_CASE) { - $result = array_map(($db->options['field_case'] == CASE_LOWER ? 'strtolower' : 'strtoupper'), $result); - } - return $result; - } - - // }}} -} diff --git a/lib/MDB2/Driver/Native/sqlite3.php b/lib/MDB2/Driver/Native/sqlite3.php deleted file mode 100644 index 344d523bdf..0000000000 --- a/lib/MDB2/Driver/Native/sqlite3.php +++ /dev/null @@ -1,33 +0,0 @@ -. - * - */ -require_once 'MDB2/Driver/Native/Common.php'; - -/** - * MDB2 SQLite driver for the native module - * - * @package MDB2 - * @category Database - * @author Lukas Smith - */ -class MDB2_Driver_Native_sqlite extends MDB2_Driver_Native_Common -{ -} diff --git a/lib/MDB2/Driver/Reverse/sqlite3.php b/lib/MDB2/Driver/Reverse/sqlite3.php deleted file mode 100644 index 9703780954..0000000000 --- a/lib/MDB2/Driver/Reverse/sqlite3.php +++ /dev/null @@ -1,586 +0,0 @@ -. - * - */ - -require_once 'MDB2/Driver/Reverse/Common.php'; - -/** - * MDB2 SQlite driver for the schema reverse engineering module - * - * @package MDB2 - * @category Database - * @author Lukas Smith - */ -class MDB2_Driver_Reverse_sqlite3 extends MDB2_Driver_Reverse_Common -{ - /** - * Remove SQL comments from the field definition - * - * @access private - */ - function _removeComments($sql) { - $lines = explode("\n", $sql); - foreach ($lines as $k => $line) { - $pieces = explode('--', $line); - if (count($pieces) > 1 && (substr_count($pieces[0], '\'') % 2) == 0) { - $lines[$k] = substr($line, 0, strpos($line, '--')); - } - } - return implode("\n", $lines); - } - - /** - * - */ - function _getTableColumns($sql) - { - $db =$this->getDBInstance(); - if (PEAR::isError($db)) { - return $db; - } - $start_pos = strpos($sql, '('); - $end_pos = strrpos($sql, ')'); - $column_def = substr($sql, $start_pos+1, $end_pos-$start_pos-1); - // replace the decimal length-places-separator with a colon - $column_def = preg_replace('/(\d),(\d)/', '\1:\2', $column_def); - $column_def = $this->_removeComments($column_def); - $column_sql = explode(',', $column_def); - $columns = array(); - $count = count($column_sql); - if ($count == 0) { - return $db->raiseError(MDB2_ERROR_UNSUPPORTED, null, null, - 'unexpected empty table column definition list', __FUNCTION__); - } - $regexp = '/^\s*([^\s]+) +(CHAR|VARCHAR|VARCHAR2|TEXT|BOOLEAN|SMALLINT|INT|INTEGER|DECIMAL|BIGINT|DOUBLE|FLOAT|DATETIME|DATE|TIME|LONGTEXT|LONGBLOB)( ?\(([1-9][0-9]*)(:([1-9][0-9]*))?\))?( NULL| NOT NULL)?( UNSIGNED)?( NULL| NOT NULL)?( PRIMARY KEY)?( AUTOINCREMENT)?( DEFAULT (\'[^\']*\'|[^ ]+))?( NULL| NOT NULL)?( PRIMARY KEY)?(\s*\-\-.*)?$/i'; - $regexp2 = '/^\s*([^ ]+) +(PRIMARY|UNIQUE|CHECK)$/i'; - for ($i=0, $j=0; $i<$count; ++$i) { - if (!preg_match($regexp, trim($column_sql[$i]), $matches)) { - if (!preg_match($regexp2, trim($column_sql[$i]))) { - continue; - } - return $db->raiseError(MDB2_ERROR_UNSUPPORTED, null, null, - 'unexpected table column SQL definition: "'.$column_sql[$i].'"', __FUNCTION__); - } - $columns[$j]['name'] = trim($matches[1], implode('', $db->identifier_quoting)); - $columns[$j]['type'] = strtolower($matches[2]); - if (isset($matches[4]) && strlen($matches[4])) { - $columns[$j]['length'] = $matches[4]; - } - if (isset($matches[6]) && strlen($matches[6])) { - $columns[$j]['decimal'] = $matches[6]; - } - if (isset($matches[8]) && strlen($matches[8])) { - $columns[$j]['unsigned'] = true; - } - if (isset($matches[10]) && strlen($matches[10])) { - $columns[$j]['autoincrement'] = true; - $columns[$j]['notnull']=true; - } - if (isset($matches[10]) && strlen($matches[10])) { - $columns[$j]['autoincrement'] = true; - $columns[$j]['notnull']=true; - } - if (isset($matches[13]) && strlen($matches[13])) { - $default = $matches[13]; - if (strlen($default) && $default[0]=="'") { - $default = str_replace("''", "'", substr($default, 1, strlen($default)-2)); - } - if ($default === 'NULL') { - $default = null; - } - $columns[$j]['default'] = $default; - } - if (isset($matches[7]) && strlen($matches[7])) { - $columns[$j]['notnull'] = ($matches[7] === ' NOT NULL'); - } else if (isset($matches[9]) && strlen($matches[9])) { - $columns[$j]['notnull'] = ($matches[9] === ' NOT NULL'); - } else if (isset($matches[14]) && strlen($matches[14])) { - $columns[$j]['notnull'] = ($matches[14] === ' NOT NULL'); - } - ++$j; - } - return $columns; - } - - // {{{ getTableFieldDefinition() - - /** - * Get the stucture of a field into an array - * - * @param string $table_name name of table that should be used in method - * @param string $field_name name of field that should be used in method - * @return mixed data array on success, a MDB2 error on failure. - * The returned array contains an array for each field definition, - * with (some of) these indices: - * [notnull] [nativetype] [length] [fixed] [default] [type] [mdb2type] - * @access public - */ - function getTableFieldDefinition($table_name, $field_name) - { - $db =$this->getDBInstance(); - if (PEAR::isError($db)) { - return $db; - } - - list($schema, $table) = $this->splitTableSchema($table_name); - - $result = $db->loadModule('Datatype', null, true); - if (PEAR::isError($result)) { - return $result; - } - $query = "SELECT sql FROM sqlite_master WHERE type='table' AND "; - if ($db->options['portability'] & MDB2_PORTABILITY_FIX_CASE) { - $query.= 'LOWER(name)='.$db->quote(strtolower($table), 'text'); - } else { - $query.= 'name='.$db->quote($table, 'text'); - } - $sql = $db->queryOne($query); - if (PEAR::isError($sql)) { - return $sql; - } - $columns = $this->_getTableColumns($sql); - foreach ($columns as $column) { - if ($db->options['portability'] & MDB2_PORTABILITY_FIX_CASE) { - if ($db->options['field_case'] == CASE_LOWER) { - $column['name'] = strtolower($column['name']); - } else { - $column['name'] = strtoupper($column['name']); - } - } else { - $column = array_change_key_case($column, $db->options['field_case']); - } - if ($field_name == $column['name']) { - $mapped_datatype = $db->datatype->mapNativeDatatype($column); - if (PEAR::isError($mapped_datatype)) { - return $mapped_datatype; - } - list($types, $length, $unsigned, $fixed) = $mapped_datatype; - $notnull = false; - if (!empty($column['notnull'])) { - $notnull = $column['notnull']; - } - $default = false; - if (array_key_exists('default', $column)) { - $default = $column['default']; - if (is_null($default) && $notnull) { - $default = ''; - } - } - $autoincrement = false; - if (!empty($column['autoincrement'])) { - $autoincrement = true; - } - - $definition[0] = array( - 'notnull' => $notnull, - 'nativetype' => preg_replace('/^([a-z]+)[^a-z].*/i', '\\1', $column['type']) - ); - if (!is_null($length)) { - $definition[0]['length'] = $length; - } - if (!is_null($unsigned)) { - $definition[0]['unsigned'] = $unsigned; - } - if (!is_null($fixed)) { - $definition[0]['fixed'] = $fixed; - } - if ($default !== false) { - $definition[0]['default'] = $default; - } - if ($autoincrement !== false) { - $definition[0]['autoincrement'] = $autoincrement; - } - foreach ($types as $key => $type) { - $definition[$key] = $definition[0]; - if ($type == 'clob' || $type == 'blob') { - unset($definition[$key]['default']); - } - $definition[$key]['type'] = $type; - $definition[$key]['mdb2type'] = $type; - } - return $definition; - } - } - - return $db->raiseError(MDB2_ERROR_NOT_FOUND, null, null, - 'it was not specified an existing table column', __FUNCTION__); - } - - // }}} - // {{{ getTableIndexDefinition() - - /** - * Get the stucture of an index into an array - * - * @param string $table_name name of table that should be used in method - * @param string $index_name name of index that should be used in method - * @return mixed data array on success, a MDB2 error on failure - * @access public - */ - function getTableIndexDefinition($table_name, $index_name) - { - $db =$this->getDBInstance(); - if (PEAR::isError($db)) { - return $db; - } - - list($schema, $table) = $this->splitTableSchema($table_name); - - $query = "SELECT sql FROM sqlite_master WHERE type='index' AND "; - if ($db->options['portability'] & MDB2_PORTABILITY_FIX_CASE) { - $query.= 'LOWER(name)=%s AND LOWER(tbl_name)=' . $db->quote(strtolower($table), 'text'); - } else { - $query.= 'name=%s AND tbl_name=' . $db->quote($table, 'text'); - } - $query.= ' AND sql NOT NULL ORDER BY name'; - $index_name_mdb2 = $db->getIndexName($index_name); - if ($db->options['portability'] & MDB2_PORTABILITY_FIX_CASE) { - $qry = sprintf($query, $db->quote(strtolower($index_name_mdb2), 'text')); - } else { - $qry = sprintf($query, $db->quote($index_name_mdb2, 'text')); - } - $sql = $db->queryOne($qry, 'text'); - if (PEAR::isError($sql) || empty($sql)) { - // fallback to the given $index_name, without transformation - if ($db->options['portability'] & MDB2_PORTABILITY_FIX_CASE) { - $qry = sprintf($query, $db->quote(strtolower($index_name), 'text')); - } else { - $qry = sprintf($query, $db->quote($index_name, 'text')); - } - $sql = $db->queryOne($qry, 'text'); - } - if (PEAR::isError($sql)) { - return $sql; - } - if (!$sql) { - return $db->raiseError(MDB2_ERROR_NOT_FOUND, null, null, - 'it was not specified an existing table index', __FUNCTION__); - } - - $sql = strtolower($sql); - $start_pos = strpos($sql, '('); - $end_pos = strrpos($sql, ')'); - $column_names = substr($sql, $start_pos+1, $end_pos-$start_pos-1); - $column_names = explode(',', $column_names); - - if (preg_match("/^create unique/", $sql)) { - return $db->raiseError(MDB2_ERROR_NOT_FOUND, null, null, - 'it was not specified an existing table index', __FUNCTION__); - } - - $definition = array(); - $count = count($column_names); - for ($i=0; $i<$count; ++$i) { - $column_name = strtok($column_names[$i], ' '); - $collation = strtok(' '); - $definition['fields'][$column_name] = array( - 'position' => $i+1 - ); - if (!empty($collation)) { - $definition['fields'][$column_name]['sorting'] = - ($collation=='ASC' ? 'ascending' : 'descending'); - } - } - - if (empty($definition['fields'])) { - return $db->raiseError(MDB2_ERROR_NOT_FOUND, null, null, - 'it was not specified an existing table index', __FUNCTION__); - } - return $definition; - } - - // }}} - // {{{ getTableConstraintDefinition() - - /** - * Get the stucture of a constraint into an array - * - * @param string $table_name name of table that should be used in method - * @param string $constraint_name name of constraint that should be used in method - * @return mixed data array on success, a MDB2 error on failure - * @access public - */ - function getTableConstraintDefinition($table_name, $constraint_name) - { - $db =$this->getDBInstance(); - if (PEAR::isError($db)) { - return $db; - } - - list($schema, $table) = $this->splitTableSchema($table_name); - - $query = "SELECT sql FROM sqlite_master WHERE type='index' AND "; - if ($db->options['portability'] & MDB2_PORTABILITY_FIX_CASE) { - $query.= 'LOWER(name)=%s AND LOWER(tbl_name)=' . $db->quote(strtolower($table), 'text'); - } else { - $query.= 'name=%s AND tbl_name=' . $db->quote($table, 'text'); - } - $query.= ' AND sql NOT NULL ORDER BY name'; - $constraint_name_mdb2 = $db->getIndexName($constraint_name); - if ($db->options['portability'] & MDB2_PORTABILITY_FIX_CASE) { - $qry = sprintf($query, $db->quote(strtolower($constraint_name_mdb2), 'text')); - } else { - $qry = sprintf($query, $db->quote($constraint_name_mdb2, 'text')); - } - $sql = $db->queryOne($qry, 'text'); - if (PEAR::isError($sql) || empty($sql)) { - // fallback to the given $index_name, without transformation - if ($db->options['portability'] & MDB2_PORTABILITY_FIX_CASE) { - $qry = sprintf($query, $db->quote(strtolower($constraint_name), 'text')); - } else { - $qry = sprintf($query, $db->quote($constraint_name, 'text')); - } - $sql = $db->queryOne($qry, 'text'); - } - if (PEAR::isError($sql)) { - return $sql; - } - //default values, eventually overridden - $definition = array( - 'primary' => false, - 'unique' => false, - 'foreign' => false, - 'check' => false, - 'fields' => array(), - 'references' => array( - 'table' => '', - 'fields' => array(), - ), - 'onupdate' => '', - 'ondelete' => '', - 'match' => '', - 'deferrable' => false, - 'initiallydeferred' => false, - ); - if (!$sql) { - $query = "SELECT sql FROM sqlite_master WHERE type='table' AND "; - if ($db->options['portability'] & MDB2_PORTABILITY_FIX_CASE) { - $query.= 'LOWER(name)='.$db->quote(strtolower($table), 'text'); - } else { - $query.= 'name='.$db->quote($table, 'text'); - } - $query.= " AND sql NOT NULL ORDER BY name"; - $sql = $db->queryOne($query, 'text'); - if (PEAR::isError($sql)) { - return $sql; - } - if ($constraint_name == 'primary') { - // search in table definition for PRIMARY KEYs - if (preg_match("/\bPRIMARY\s+KEY\b\s*\(([^)]+)/i", $sql, $tmp)) { - $definition['primary'] = true; - $definition['fields'] = array(); - $column_names = explode(',', $tmp[1]); - $colpos = 1; - foreach ($column_names as $column_name) { - $definition['fields'][trim($column_name)] = array( - 'position' => $colpos++ - ); - } - return $definition; - } - if (preg_match("/\"([^\"]+)\"[^\,\"]+\bPRIMARY\s+KEY\b[^\,\)]*/i", $sql, $tmp)) { - $definition['primary'] = true; - $definition['fields'] = array(); - $column_names = explode(',', $tmp[1]); - $colpos = 1; - foreach ($column_names as $column_name) { - $definition['fields'][trim($column_name)] = array( - 'position' => $colpos++ - ); - } - return $definition; - } - } else { - // search in table definition for FOREIGN KEYs - $pattern = "/\bCONSTRAINT\b\s+%s\s+ - \bFOREIGN\s+KEY\b\s*\(([^\)]+)\)\s* - \bREFERENCES\b\s+([^\s]+)\s*\(([^\)]+)\)\s* - (?:\bMATCH\s*([^\s]+))?\s* - (?:\bON\s+UPDATE\s+([^\s,\)]+))?\s* - (?:\bON\s+DELETE\s+([^\s,\)]+))?\s* - /imsx"; - $found_fk = false; - if (preg_match(sprintf($pattern, $constraint_name_mdb2), $sql, $tmp)) { - $found_fk = true; - } elseif (preg_match(sprintf($pattern, $constraint_name), $sql, $tmp)) { - $found_fk = true; - } - if ($found_fk) { - $definition['foreign'] = true; - $definition['match'] = 'SIMPLE'; - $definition['onupdate'] = 'NO ACTION'; - $definition['ondelete'] = 'NO ACTION'; - $definition['references']['table'] = $tmp[2]; - $column_names = explode(',', $tmp[1]); - $colpos = 1; - foreach ($column_names as $column_name) { - $definition['fields'][trim($column_name)] = array( - 'position' => $colpos++ - ); - } - $referenced_cols = explode(',', $tmp[3]); - $colpos = 1; - foreach ($referenced_cols as $column_name) { - $definition['references']['fields'][trim($column_name)] = array( - 'position' => $colpos++ - ); - } - if (isset($tmp[4])) { - $definition['match'] = $tmp[4]; - } - if (isset($tmp[5])) { - $definition['onupdate'] = $tmp[5]; - } - if (isset($tmp[6])) { - $definition['ondelete'] = $tmp[6]; - } - return $definition; - } - } - $sql = false; - } - if (!$sql) { - return $db->raiseError(MDB2_ERROR_NOT_FOUND, null, null, - $constraint_name . ' is not an existing table constraint', __FUNCTION__); - } - - $sql = strtolower($sql); - $start_pos = strpos($sql, '('); - $end_pos = strrpos($sql, ')'); - $column_names = substr($sql, $start_pos+1, $end_pos-$start_pos-1); - $column_names = explode(',', $column_names); - - if (!preg_match("/^create unique/", $sql)) { - return $db->raiseError(MDB2_ERROR_NOT_FOUND, null, null, - $constraint_name . ' is not an existing table constraint', __FUNCTION__); - } - - $definition['unique'] = true; - $count = count($column_names); - for ($i=0; $i<$count; ++$i) { - $column_name = strtok($column_names[$i], " "); - $collation = strtok(" "); - $definition['fields'][$column_name] = array( - 'position' => $i+1 - ); - if (!empty($collation)) { - $definition['fields'][$column_name]['sorting'] = - ($collation=='ASC' ? 'ascending' : 'descending'); - } - } - - if (empty($definition['fields'])) { - return $db->raiseError(MDB2_ERROR_NOT_FOUND, null, null, - $constraint_name . ' is not an existing table constraint', __FUNCTION__); - } - return $definition; - } - - // }}} - // {{{ getTriggerDefinition() - - /** - * Get the structure of a trigger into an array - * - * EXPERIMENTAL - * - * WARNING: this function is experimental and may change the returned value - * at any time until labelled as non-experimental - * - * @param string $trigger name of trigger that should be used in method - * @return mixed data array on success, a MDB2 error on failure - * @access public - */ - function getTriggerDefinition($trigger) - { - $db =$this->getDBInstance(); - if (PEAR::isError($db)) { - return $db; - } - - $query = "SELECT name as trigger_name, - tbl_name AS table_name, - sql AS trigger_body, - NULL AS trigger_type, - NULL AS trigger_event, - NULL AS trigger_comment, - 1 AS trigger_enabled - FROM sqlite_master - WHERE type='trigger'"; - if ($db->options['portability'] & MDB2_PORTABILITY_FIX_CASE) { - $query.= ' AND LOWER(name)='.$db->quote(strtolower($trigger), 'text'); - } else { - $query.= ' AND name='.$db->quote($trigger, 'text'); - } - $types = array( - 'trigger_name' => 'text', - 'table_name' => 'text', - 'trigger_body' => 'text', - 'trigger_type' => 'text', - 'trigger_event' => 'text', - 'trigger_comment' => 'text', - 'trigger_enabled' => 'boolean', - ); - $def = $db->queryRow($query, $types, MDB2_FETCHMODE_ASSOC); - if (PEAR::isError($def)) { - return $def; - } - if (empty($def)) { - return $db->raiseError(MDB2_ERROR_NOT_FOUND, null, null, - 'it was not specified an existing trigger', __FUNCTION__); - } - if (preg_match("/^create\s+(?:temp|temporary)?trigger\s+(?:if\s+not\s+exists\s+)?.*(before|after)?\s+(insert|update|delete)/Uims", $def['trigger_body'], $tmp)) { - $def['trigger_type'] = strtoupper($tmp[1]); - $def['trigger_event'] = strtoupper($tmp[2]); - } - return $def; - } - - // }}} - // {{{ tableInfo() - - /** - * Returns information about a table - * - * @param string $result a string containing the name of a table - * @param int $mode a valid tableInfo mode - * - * @return array an associative array with the information requested. - * A MDB2_Error object on failure. - * - * @see MDB2_Driver_Common::tableInfo() - * @since Method available since Release 1.7.0 - */ - function tableInfo($result, $mode = null) - { - if (is_string($result)) { - return parent::tableInfo($result, $mode); - } - - $db =$this->getDBInstance(); - if (PEAR::isError($db)) { - return $db; - } - - return $db->raiseError(MDB2_ERROR_NOT_CAPABLE, null, null, - 'This DBMS can not obtain tableInfo from result sets', __FUNCTION__); - } -} diff --git a/lib/MDB2/Driver/sqlite3.php b/lib/MDB2/Driver/sqlite3.php deleted file mode 100644 index 693ceffa01..0000000000 --- a/lib/MDB2/Driver/sqlite3.php +++ /dev/null @@ -1,1332 +0,0 @@ -. - * - */ - -/** - * MDB2 SQLite3 driver - * - * @package MDB2 - * @category Database - * @author Lukas Smith - */ -class MDB2_Driver_sqlite3 extends MDB2_Driver_Common -{ - // {{{ properties - public $string_quoting = array('start' => "'", 'end' => "'", 'escape' => "'", 'escape_pattern' => false); - - public $identifier_quoting = array('start' => '"', 'end' => '"', 'escape' => '"'); - - public $_lasterror = ''; - - public $fix_assoc_fields_names = false; - - // }}} - // {{{ constructor - - /** - * Constructor - */ - function __construct() - { - parent::__construct(); - - $this->phptype = 'sqlite3'; - $this->dbsyntax = 'sqlite'; - - $this->supported['sequences'] = 'emulated'; - $this->supported['indexes'] = true; - $this->supported['affected_rows'] = true; - $this->supported['summary_functions'] = true; - $this->supported['order_by_text'] = true; - $this->supported['current_id'] = 'emulated'; - $this->supported['limit_queries'] = true; - $this->supported['LOBs'] = true; - $this->supported['replace'] = true; - $this->supported['transactions'] = false; - $this->supported['savepoints'] = false; - $this->supported['sub_selects'] = true; - $this->supported['triggers'] = true; - $this->supported['auto_increment'] = true; - $this->supported['primary_key'] = false; // requires alter table implementation - $this->supported['result_introspection'] = false; // not implemented - $this->supported['prepared_statements'] = true; - $this->supported['identifier_quoting'] = true; - $this->supported['pattern_escaping'] = false; - $this->supported['new_link'] = false; - - $this->options['DBA_username'] = false; - $this->options['DBA_password'] = false; - $this->options['base_transaction_name'] = '___php_MDB2_sqlite_auto_commit_off'; - $this->options['fixed_float'] = 0; - $this->options['database_path'] = ''; - $this->options['database_extension'] = ''; - $this->options['server_version'] = ''; - $this->options['max_identifiers_length'] = 128; //no real limit - } - - // }}} - // {{{ errorInfo() - - /** - * This method is used to collect information about an error - * - * @param integer $error - * @return array - * @access public - */ - function errorInfo($error = null) - { - $native_code = null; - if ($this->connection) { - $native_code = $this->connection->lastErrorCode(); - } - $native_msg = html_entity_decode($this->_lasterror); - - // PHP 5.2+ prepends the function name to $php_errormsg, so we need - // this hack to work around it, per bug #9599. - $native_msg = preg_replace('/^sqlite[a-z_]+\(\)[^:]*: /', '', $native_msg); - - if (is_null($error)) { - static $error_regexps; - if (empty($error_regexps)) { - $error_regexps = array( - '/^no such table:/' => MDB2_ERROR_NOSUCHTABLE, - '/^no such index:/' => MDB2_ERROR_NOT_FOUND, - '/^(table|index) .* already exists$/' => MDB2_ERROR_ALREADY_EXISTS, - '/PRIMARY KEY must be unique/i' => MDB2_ERROR_CONSTRAINT, - '/is not unique/' => MDB2_ERROR_CONSTRAINT, - '/columns .* are not unique/i' => MDB2_ERROR_CONSTRAINT, - '/uniqueness constraint failed/' => MDB2_ERROR_CONSTRAINT, - '/may not be NULL/' => MDB2_ERROR_CONSTRAINT_NOT_NULL, - '/^no such column:/' => MDB2_ERROR_NOSUCHFIELD, - '/no column named/' => MDB2_ERROR_NOSUCHFIELD, - '/column not present in both tables/i' => MDB2_ERROR_NOSUCHFIELD, - '/^near ".*": syntax error$/' => MDB2_ERROR_SYNTAX, - '/[0-9]+ values for [0-9]+ columns/i' => MDB2_ERROR_VALUE_COUNT_ON_ROW, - ); - } - foreach ($error_regexps as $regexp => $code) { - if (preg_match($regexp, $native_msg)) { - $error = $code; - break; - } - } - } - return array($error, $native_code, $native_msg); - } - - // }}} - // {{{ escape() - - /** - * Quotes a string so it can be safely used in a query. It will quote - * the text so it can safely be used within a query. - * - * @param string the input string to quote - * @param bool escape wildcards - * - * @return string quoted string - * - * @access public - */ - public function escape($text, $escape_wildcards = false) - { - if($this->connection) { - return $this->connection->escapeString($text); - }else{ - return str_replace("'", "''", $text);//TODO; more - } - } - - // }}} - // {{{ beginTransaction() - - /** - * Start a transaction or set a savepoint. - * - * @param string name of a savepoint to set - * @return mixed MDB2_OK on success, a MDB2 error on failure - * - * @access public - */ - function beginTransaction($savepoint = null) - { - $this->debug('Starting transaction/savepoint', __FUNCTION__, array('is_manip' => true, 'savepoint' => $savepoint)); - if (!is_null($savepoint)) { - return $this->raiseError(MDB2_ERROR_UNSUPPORTED, null, null, - 'savepoints are not supported', __FUNCTION__); - } elseif ($this->in_transaction) { - return MDB2_OK; //nothing to do - } - if (!$this->destructor_registered && $this->opened_persistent) { - $this->destructor_registered = true; - register_shutdown_function('MDB2_closeOpenTransactions'); - } - $query = 'BEGIN TRANSACTION '.$this->options['base_transaction_name']; - $result =$this->_doQuery($query, true); - if (PEAR::isError($result)) { - return $result; - } - $this->in_transaction = true; - return MDB2_OK; - } - - // }}} - // {{{ commit() - - /** - * Commit the database changes done during a transaction that is in - * progress or release a savepoint. This function may only be called when - * auto-committing is disabled, otherwise it will fail. Therefore, a new - * transaction is implicitly started after committing the pending changes. - * - * @param string name of a savepoint to release - * @return mixed MDB2_OK on success, a MDB2 error on failure - * - * @access public - */ - function commit($savepoint = null) - { - $this->debug('Committing transaction/savepoint', __FUNCTION__, array('is_manip' => true, 'savepoint' => $savepoint)); - if (!$this->in_transaction) { - return $this->raiseError(MDB2_ERROR_INVALID, null, null, - 'commit/release savepoint cannot be done changes are auto committed', __FUNCTION__); - } - if (!is_null($savepoint)) { - return $this->raiseError(MDB2_ERROR_UNSUPPORTED, null, null, - 'savepoints are not supported', __FUNCTION__); - } - - $query = 'COMMIT TRANSACTION '.$this->options['base_transaction_name']; - $result =$this->_doQuery($query, true); - if (PEAR::isError($result)) { - return $result; - } - $this->in_transaction = false; - return MDB2_OK; - } - - // }}} - // {{{ - - /** - * Cancel any database changes done during a transaction or since a specific - * savepoint that is in progress. This function may only be called when - * auto-committing is disabled, otherwise it will fail. Therefore, a new - * transaction is implicitly started after canceling the pending changes. - * - * @param string name of a savepoint to rollback to - * @return mixed MDB2_OK on success, a MDB2 error on failure - * - * @access public - */ - function rollback($savepoint = null) - { - $this->debug('Rolling back transaction/savepoint', __FUNCTION__, array('is_manip' => true, 'savepoint' => $savepoint)); - if (!$this->in_transaction) { - return $this->raiseError(MDB2_ERROR_INVALID, null, null, - 'rollback cannot be done changes are auto committed', __FUNCTION__); - } - if (!is_null($savepoint)) { - return $this->raiseError(MDB2_ERROR_UNSUPPORTED, null, null, - 'savepoints are not supported', __FUNCTION__); - } - - $query = 'ROLLBACK TRANSACTION '.$this->options['base_transaction_name']; - $result =$this->_doQuery($query, true); - if (PEAR::isError($result)) { - return $result; - } - $this->in_transaction = false; - return MDB2_OK; - } - - // }}} - // {{{ function setTransactionIsolation() - - /** - * Set the transacton isolation level. - * - * @param string standard isolation level - * READ UNCOMMITTED (allows dirty reads) - * READ COMMITTED (prevents dirty reads) - * REPEATABLE READ (prevents nonrepeatable reads) - * SERIALIZABLE (prevents phantom reads) - * @return mixed MDB2_OK on success, a MDB2 error on failure - * - * @access public - * @since 2.1.1 - */ - function setTransactionIsolation($isolation, $options=array()) - { - $this->debug('Setting transaction isolation level', __FUNCTION__, array('is_manip' => true)); - switch ($isolation) { - case 'READ UNCOMMITTED': - $isolation = 0; - break; - case 'READ COMMITTED': - case 'REPEATABLE READ': - case 'SERIALIZABLE': - $isolation = 1; - break; - default: - return $this->raiseError(MDB2_ERROR_UNSUPPORTED, null, null, - 'isolation level is not supported: '.$isolation, __FUNCTION__); - } - - $query = "PRAGMA read_uncommitted=$isolation"; - return $this->_doQuery($query, true); - } - - // }}} - // {{{ getDatabaseFile() - - /** - * Builds the string with path+dbname+extension - * - * @return string full database path+file - * @access protected - */ - function _getDatabaseFile($database_name) - { - if ($database_name === '' || $database_name === ':memory:') { - return $database_name; - } - return $this->options['database_path'].$database_name.$this->options['database_extension']; - } - - // }}} - // {{{ connect() - - /** - * Connect to the database - * - * @return true on success, MDB2 Error Object on failure - **/ - function connect() - { - if($this->connection instanceof SQLite3) { - return MDB2_OK; - } - $datadir=OC_Config::getValue( "datadirectory", OC::$SERVERROOT."/data" ); - $database_file = $this->_getDatabaseFile($this->database_name); - if (is_resource($this->connection)) { - //if (count(array_diff($this->connected_dsn, $this->dsn)) == 0 - if (MDB2::areEquals($this->connected_dsn, $this->dsn) - && $this->connected_database_name == $database_file - && $this->opened_persistent == $this->options['persistent'] - ) { - return MDB2_OK; - } - $this->disconnect(false); - } - - if (!PEAR::loadExtension($this->phptype)) { - return $this->raiseError(MDB2_ERROR_NOT_FOUND, null, null, - 'extension '.$this->phptype.' is not compiled into PHP', __FUNCTION__); - } - - if (empty($this->database_name)) { - return $this->raiseError(MDB2_ERROR_CONNECT_FAILED, null, null, - 'unable to establish a connection', __FUNCTION__); - } - - if ($database_file !== ':memory:') { - if(!strpos($database_file, '.db')) { - $database_file="$datadir/$database_file.db"; - } - if (!file_exists($database_file)) { - if (!touch($database_file)) { - return $this->raiseError(MDB2_ERROR_NOT_FOUND, null, null, - 'Could not create database file', __FUNCTION__); - } - if (!isset($this->dsn['mode']) - || !is_numeric($this->dsn['mode']) - ) { - $mode = 0644; - } else { - $mode = octdec($this->dsn['mode']); - } - if (!chmod($database_file, $mode)) { - return $this->raiseError(MDB2_ERROR_NOT_FOUND, null, null, - 'Could not be chmodded database file', __FUNCTION__); - } - if (!file_exists($database_file)) { - return $this->raiseError(MDB2_ERROR_NOT_FOUND, null, null, - 'Could not be found database file', __FUNCTION__); - } - } - if (!is_file($database_file)) { - return $this->raiseError(MDB2_ERROR_INVALID, null, null, - 'Database is a directory name', __FUNCTION__); - } - if (!is_readable($database_file)) { - return $this->raiseError(MDB2_ERROR_ACCESS_VIOLATION, null, null, - 'Could not read database file', __FUNCTION__); - } - } - - $php_errormsg = ''; - $this->connection = new SQLite3($database_file); - if(is_callable(array($this->connection, 'busyTimeout'))) {//busy timout is only available in php>=5.3 - $this->connection->busyTimeout(60000); - } - $this->_lasterror = $this->connection->lastErrorMsg(); - if (!$this->connection) { - return $this->raiseError(MDB2_ERROR_CONNECT_FAILED, null, null, - 'unable to establish a connection', __FUNCTION__); - } - - if ($this->fix_assoc_fields_names || - $this->options['portability'] & MDB2_PORTABILITY_FIX_ASSOC_FIELD_NAMES) { - $this->connection->exec("PRAGMA short_column_names = 1"); - $this->fix_assoc_fields_names = true; - } - - $this->connected_dsn = $this->dsn; - $this->connected_database_name = $database_file; - $this->opened_persistent = $this->getoption('persistent'); - $this->dbsyntax = $this->dsn['dbsyntax'] ? $this->dsn['dbsyntax'] : $this->phptype; - - return MDB2_OK; - } - - // }}} - // {{{ databaseExists() - - /** - * check if given database name is exists? - * - * @param string $name name of the database that should be checked - * - * @return mixed true/false on success, a MDB2 error on failure - * @access public - */ - function databaseExists($name) - { - $database_file = $this->_getDatabaseFile($name); - $result = file_exists($database_file); - return $result; - } - - // }}} - // {{{ disconnect() - - /** - * Log out and disconnect from the database. - * - * @param boolean $force if the disconnect should be forced even if the - * connection is opened persistently - * @return mixed true on success, false if not connected and error - * object on error - * @access public - */ - function disconnect($force = true) - { - if ($this->connection instanceof SQLite3) { - if ($this->in_transaction) { - $dsn = $this->dsn; - $database_name = $this->database_name; - $persistent = $this->options['persistent']; - $this->dsn = $this->connected_dsn; - $this->database_name = $this->connected_database_name; - $this->options['persistent'] = $this->opened_persistent; - $this->rollback(); - $this->dsn = $dsn; - $this->database_name = $database_name; - $this->options['persistent'] = $persistent; - } - - if (!$this->opened_persistent || $force) { - $this->connection->close(); - } - } else { - return false; - } - return parent::disconnect($force); - } - - // }}} - // {{{ _doQuery() - - /** - * Execute a query - * @param string $query query - * @param boolean $is_manip if the query is a manipulation query - * @param resource $connection - * @param string $database_name - * @return result or error object - * @access protected - */ - function _doQuery($query, $is_manip = false, $connection = null, $database_name = null) - { - $this->last_query = $query; - $result = $this->debug($query, 'query', array('is_manip' => $is_manip, 'when' => 'pre')); - if ($result) { - if (PEAR::isError($result)) { - return $result; - } - $query = $result; - } - if ($this->options['disable_query']) { - $result = $is_manip ? 0 : null; - return $result; - } - $result=$this->connection->query($query.';'); - $this->_lasterror = $this->connection->lastErrorMsg(); - - if (!$result) { - $err =$this->raiseError(null, null, null, - 'Could not execute statement', __FUNCTION__); - return $err; - } - - $this->debug($query, 'query', array('is_manip' => $is_manip, 'when' => 'post', 'result' => $result)); - return $result; - } - - // }}} - // {{{ _affectedRows() - - /** - * Returns the number of rows affected - * - * @param resource $result - * @param resource $connection - * @return mixed MDB2 Error Object or the number of rows affected - * @access private - */ - function _affectedRows($connection, $result = null) - { - return $this->connection->changes(); - } - - // }}} - // {{{ _modifyQuery() - - /** - * Changes a query string for various DBMS specific reasons - * - * @param string $query query to modify - * @param boolean $is_manip if it is a DML query - * @param integer $limit limit the number of rows - * @param integer $offset start reading from given offset - * @return string modified query - * @access protected - */ - function _modifyQuery($query, $is_manip, $limit, $offset) - { - if ($this->options['portability'] & MDB2_PORTABILITY_DELETE_COUNT) { - if (preg_match('/^\s*DELETE\s+FROM\s+(\S+)\s*$/i', $query)) { - $query = preg_replace('/^\s*DELETE\s+FROM\s+(\S+)\s*$/', - 'DELETE FROM \1 WHERE 1=1', $query); - } - } - if ($limit > 0 - && !preg_match('/LIMIT\s*\d(?:\s*(?:,|OFFSET)\s*\d+)?(?:[^\)]*)?$/i', $query) - ) { - $query = rtrim($query); - if (substr($query, -1) == ';') { - $query = substr($query, 0, -1); - } - if ($is_manip) { - $query.= " LIMIT $limit"; - } else { - $query.= " LIMIT $offset,$limit"; - } - } - return $query; - } - - // }}} - // {{{ getServerVersion() - - /** - * return version information about the server - * - * @param bool $native determines if the raw version string should be returned - * @return mixed array/string with version information or MDB2 error object - * @access public - */ - function getServerVersion($native = false) - { - $server_info = false; - if ($this->connected_server_info) { - $server_info = $this->connected_server_info; - } elseif ($this->options['server_version']) { - $server_info = $this->options['server_version']; - } elseif (function_exists('sqlite_libversion')) { - $server_info = @sqlite_libversion(); - } - if (!$server_info) { - return $this->raiseError(MDB2_ERROR_UNSUPPORTED, null, null, - 'Requires either the "server_version" option or the sqlite_libversion() function', __FUNCTION__); - } - // cache server_info - $this->connected_server_info = $server_info; - if (!$native) { - $tmp = explode('.', $server_info, 3); - $server_info = array( - 'major' => isset($tmp[0]) ? $tmp[0] : null, - 'minor' => isset($tmp[1]) ? $tmp[1] : null, - 'patch' => isset($tmp[2]) ? $tmp[2] : null, - 'extra' => null, - 'native' => $server_info, - ); - } - return $server_info; - } - - // }}} - // {{{ replace() - - /** - * Execute a SQL REPLACE query. A REPLACE query is identical to a INSERT - * query, except that if there is already a row in the table with the same - * key field values, the old row is deleted before the new row is inserted. - * - * The REPLACE type of query does not make part of the SQL standards. Since - * practically only SQLite implements it natively, this type of query is - * emulated through this method for other DBMS using standard types of - * queries inside a transaction to assure the atomicity of the operation. - * - * @access public - * - * @param string $table name of the table on which the REPLACE query will - * be executed. - * @param array $fields associative array that describes the fields and the - * values that will be inserted or updated in the specified table. The - * indexes of the array are the names of all the fields of the table. The - * values of the array are also associative arrays that describe the - * values and other properties of the table fields. - * - * Here follows a list of field properties that need to be specified: - * - * value: - * Value to be assigned to the specified field. This value may be - * of specified in database independent type format as this - * function can perform the necessary datatype conversions. - * - * Default: - * this property is required unless the Null property - * is set to 1. - * - * type - * Name of the type of the field. Currently, all types Metabase - * are supported except for clob and blob. - * - * Default: no type conversion - * - * null - * Boolean property that indicates that the value for this field - * should be set to null. - * - * The default value for fields missing in INSERT queries may be - * specified the definition of a table. Often, the default value - * is already null, but since the REPLACE may be emulated using - * an UPDATE query, make sure that all fields of the table are - * listed in this function argument array. - * - * Default: 0 - * - * key - * Boolean property that indicates that this field should be - * handled as a primary key or at least as part of the compound - * unique index of the table that will determine the row that will - * updated if it exists or inserted a new row otherwise. - * - * This function will fail if no key field is specified or if the - * value of a key field is set to null because fields that are - * part of unique index they may not be null. - * - * Default: 0 - * - * @return mixed MDB2_OK on success, a MDB2 error on failure - */ - function replace($table, $fields) - { - $count = count($fields); - $query = $values = ''; - $keys = $colnum = 0; - for (reset($fields); $colnum < $count; next($fields), $colnum++) { - $name = key($fields); - if ($colnum > 0) { - $query .= ','; - $values.= ','; - } - $query.= $this->quoteIdentifier($name, true); - if (isset($fields[$name]['null']) && $fields[$name]['null']) { - $value = 'NULL'; - } else { - $type = isset($fields[$name]['type']) ? $fields[$name]['type'] : null; - $value = $this->quote($fields[$name]['value'], $type); - if (PEAR::isError($value)) { - return $value; - } - } - $values.= $value; - if (isset($fields[$name]['key']) && $fields[$name]['key']) { - if ($value === 'NULL') { - return $this->raiseError(MDB2_ERROR_CANNOT_REPLACE, null, null, - 'key value '.$name.' may not be NULL', __FUNCTION__); - } - $keys++; - } - } - if ($keys == 0) { - return $this->raiseError(MDB2_ERROR_CANNOT_REPLACE, null, null, - 'not specified which fields are keys', __FUNCTION__); - } - - $connection = $this->getConnection(); - if (PEAR::isError($connection)) { - return $connection; - } - - $table = $this->quoteIdentifier($table, true); - $query = "REPLACE INTO $table ($query) VALUES ($values)"; - $result =$this->_doQuery($query, true, $connection); - if (PEAR::isError($result)) { - return $result; - } - return $this->_affectedRows($connection, $result); - } - - // }}} - // {{{ nextID() - - /** - * Returns the next free id of a sequence - * - * @param string $seq_name name of the sequence - * @param boolean $ondemand when true the sequence is - * automatic created, if it - * not exists - * - * @return mixed MDB2 Error Object or id - * @access public - */ - function nextID($seq_name, $ondemand = true) - { - $sequence_name = $this->quoteIdentifier($this->getSequenceName($seq_name), true); - $seqcol_name = $this->options['seqcol_name']; - $query = "INSERT INTO $sequence_name ($seqcol_name) VALUES (NULL)"; - $this->pushErrorHandling(PEAR_ERROR_RETURN); - $this->expectError(MDB2_ERROR_NOSUCHTABLE); - $result =$this->_doQuery($query, true); - $this->popExpect(); - $this->popErrorHandling(); - if (PEAR::isError($result)) { - if ($ondemand && $result->getCode() == MDB2_ERROR_NOSUCHTABLE) { - $this->loadModule('Manager', null, true); - $result = $this->manager->createSequence($seq_name); - if (PEAR::isError($result)) { - return $this->raiseError($result, null, null, - 'on demand sequence '.$seq_name.' could not be created', __FUNCTION__); - } else { - return $this->nextID($seq_name, false); - } - } - return $result; - } - $value = $this->lastInsertID(); - if (is_numeric($value)) { - $query = "DELETE FROM $sequence_name WHERE $seqcol_name < $value"; - $result =$this->_doQuery($query, true); - if (PEAR::isError($result)) { - $this->warnings[] = 'nextID: could not delete previous sequence table values from '.$seq_name; - } - } - return $value; - } - - // }}} - // {{{ lastInsertID() - - /** - * Returns the autoincrement ID if supported or $id or fetches the current - * ID in a sequence called: $table.(empty($field) ? '' : '_'.$field) - * - * @param string $table name of the table into which a new row was inserted - * @param string $field name of the field into which a new row was inserted - * @return mixed MDB2 Error Object or id - * @access public - */ - function lastInsertID($table = null, $field = null) - { - return $this->connection->lastInsertRowID(); - } - - // }}} - // {{{ currID() - - /** - * Returns the current id of a sequence - * - * @param string $seq_name name of the sequence - * @return mixed MDB2 Error Object or id - * @access public - */ - function currID($seq_name) - { - $sequence_name = $this->quoteIdentifier($this->getSequenceName($seq_name), true); - $seqcol_name = $this->quoteIdentifier($this->options['seqcol_name'], true); - $query = "SELECT MAX($seqcol_name) FROM $sequence_name"; - return $this->queryOne($query, 'integer'); - } - - /** - * Prepares a query for multiple execution with execute(). - * With some database backends, this is emulated. - * prepare() requires a generic query as string like - * 'INSERT INTO numbers VALUES(?,?)' or - * 'INSERT INTO numbers VALUES(:foo,:bar)'. - * The ? and :name and are placeholders which can be set using - * bindParam() and the query can be sent off using the execute() method. - * The allowed format for :name can be set with the 'bindname_format' option. - * - * @param string $query the query to prepare - * @param mixed $types array that contains the types of the placeholders - * @param mixed $result_types array that contains the types of the columns in - * the result set or MDB2_PREPARE_RESULT, if set to - * MDB2_PREPARE_MANIP the query is handled as a manipulation query - * @param mixed $lobs key (field) value (parameter) pair for all lob placeholders - * @return mixed resource handle for the prepared query on success, a MDB2 - * error on failure - * @access public - * @see bindParam, execute - */ - function prepare($query, $types = null, $result_types = null, $lobs = array()) - { - if ($this->options['emulate_prepared'] - || $this->supported['prepared_statements'] !== true - ) { - $obj =& parent::prepare($query, $types, $result_types, $lobs); - return $obj; - } - $this->last_query = $query; - $is_manip = ($result_types === MDB2_PREPARE_MANIP); - $offset = $this->offset; - $limit = $this->limit; - $this->offset = $this->limit = 0; - $query = $this->_modifyQuery($query, $is_manip, $limit, $offset); - $result = $this->debug($query, __FUNCTION__, array('is_manip' => $is_manip, 'when' => 'pre')); - if ($result) { - if (PEAR::isError($result)) { - return $result; - } - $query = $result; - } - $placeholder_type_guess = $placeholder_type = null; - $question = '?'; - $colon = ':'; - $positions = array(); - $position = 0; - while ($position < strlen($query)) { - $q_position = strpos($query, $question, $position); - $c_position = strpos($query, $colon, $position); - if ($q_position && $c_position) { - $p_position = min($q_position, $c_position); - } elseif ($q_position) { - $p_position = $q_position; - } elseif ($c_position) { - $p_position = $c_position; - } else { - break; - } - if (is_null($placeholder_type)) { - $placeholder_type_guess = $query[$p_position]; - } - - $new_pos = $this->_skipDelimitedStrings($query, $position, $p_position); - if (PEAR::isError($new_pos)) { - return $new_pos; - } - if ($new_pos != $position) { - $position = $new_pos; - continue; //evaluate again starting from the new position - } - - - if ($query[$position] == $placeholder_type_guess) { - if (is_null($placeholder_type)) { - $placeholder_type = $query[$p_position]; - $question = $colon = $placeholder_type; - } - if ($placeholder_type == ':') { - $regexp = '/^.{'.($position+1).'}('.$this->options['bindname_format'].').*$/s'; - $parameter = preg_replace($regexp, '\\1', $query); - if ($parameter === '') { - $err =& $this->raiseError(MDB2_ERROR_SYNTAX, null, null, - 'named parameter name must match "bindname_format" option', __FUNCTION__); - return $err; - } - $positions[$p_position] = $parameter; - $query = substr_replace($query, '?', $position, strlen($parameter)+1); - } else { - $positions[$p_position] = count($positions); - } - $position = $p_position + 1; - } else { - $position = $p_position; - } - } - $connection = $this->getConnection(); - if (PEAR::isError($connection)) { - return $connection; - } - $statement =$this->connection->prepare($query); - if (!$statement) { - return $this->raiseError(MDB2_ERROR_NOT_FOUND, null, null, - 'unable to prepare statement: '.$query); - } - - $class_name = 'MDB2_Statement_'.$this->phptype; - $obj = new $class_name($this, $statement, $positions, $query, $types, $result_types, $is_manip, $limit, $offset); - $this->debug($query, __FUNCTION__, array('is_manip' => $is_manip, 'when' => 'post', 'result' => $obj)); - return $obj; - } -} - -/** - * MDB2 SQLite result driver - * - * @package MDB2 - * @category Database - * @author Lukas Smith - */ -class MDB2_Result_sqlite3 extends MDB2_Result_Common -{ - // }}} - // {{{ fetchRow() - - /** - * Fetch a row and insert the data into an existing array. - * - * @param int $fetchmode how the array data should be indexed - * @param int $rownum number of the row where the data can be found - * @return int data array on success, a MDB2 error on failure - * @access public - */ - function fetchRow($fetchmode = MDB2_FETCHMODE_DEFAULT, $rownum = null) - { - if (!is_null($rownum)) { - $seek = $this->seek($rownum); - if (PEAR::isError($seek)) { - return $seek; - } - } - if ($fetchmode == MDB2_FETCHMODE_DEFAULT) { - $fetchmode = $this->db->fetchmode; - } - if ($fetchmode & MDB2_FETCHMODE_ASSOC) { - //$row = @sqlite_fetch_array($this->result, SQLITE_ASSOC); - $row=$this->result->fetchArray(SQLITE3_ASSOC); - if (is_array($row) - && $this->db->options['portability'] & MDB2_PORTABILITY_FIX_CASE - ) { - $row = array_change_key_case($row, $this->db->options['field_case']); - } - } else { - $row=$this->result->fetchArray(SQLITE3_NUM); - } - if (!$row) { - if ($this->result === false) { - $err =$this->db->raiseError(MDB2_ERROR_NEED_MORE_DATA, null, null, - 'resultset has already been freed', __FUNCTION__); - return $err; - } - $null = null; - return $null; - } - $mode = $this->db->options['portability'] & MDB2_PORTABILITY_EMPTY_TO_NULL; - $rtrim = false; - if ($this->db->options['portability'] & MDB2_PORTABILITY_RTRIM) { - if (empty($this->types)) { - $mode += MDB2_PORTABILITY_RTRIM; - } else { - $rtrim = true; - } - } - if ($mode) { - $this->db->_fixResultArrayValues($row, $mode); - } - if (!empty($this->types)) { - $row = $this->db->datatype->convertResultRow($this->types, $row, $rtrim); - } - if (!empty($this->values)) { - $this->_assignBindColumns($row); - } - if ($fetchmode === MDB2_FETCHMODE_OBJECT) { - $object_class = $this->db->options['fetch_class']; - if ($object_class == 'stdClass') { - $row = (object) $row; - } else { - $row = new $object_class($row); - } - } - ++$this->rownum; - return $row; - } - - // }}} - // {{{ _getColumnNames() - - /** - * Retrieve the names of columns returned by the DBMS in a query result. - * - * @return mixed Array variable that holds the names of columns as keys - * or an MDB2 error on failure. - * Some DBMS may not return any columns when the result set - * does not contain any rows. - * @access private - */ - function _getColumnNames() - { - $columns = array(); - $numcols = $this->numCols(); - if (PEAR::isError($numcols)) { - return $numcols; - } - for ($column = 0; $column < $numcols; $column++) { - $column_name = $this->result->getColumnName($column); - $columns[$column_name] = $column; - } - if ($this->db->options['portability'] & MDB2_PORTABILITY_FIX_CASE) { - $columns = array_change_key_case($columns, $this->db->options['field_case']); - } - return $columns; - } - - // }}} - // {{{ numCols() - - /** - * Count the number of columns returned by the DBMS in a query result. - * - * @access public - * @return mixed integer value with the number of columns, a MDB2 error - * on failure - */ - function numCols() - { - $this->result->numColumns(); - } -} - -/** - * MDB2 SQLite buffered result driver - * - * @package MDB2 - * @category Database - * @author Lukas Smith - */ -class MDB2_BufferedResult_sqlite3 extends MDB2_Result_sqlite3 -{ - // {{{ seek() - - /** - * Seek to a specific row in a result set - * - * @param int $rownum number of the row where the data can be found - * @return mixed MDB2_OK on success, a MDB2 error on failure - * @access public - */ - function seek($rownum = 0) - { - $this->result->reset(); - for($i=0;$i<$rownum;$i++) { - $this->result->fetchArray(); - } - $this->rownum = $rownum - 1; - return MDB2_OK; - } - - // }}} - // {{{ valid() - - /** - * Check if the end of the result set has been reached - * - * @return mixed true or false on sucess, a MDB2 error on failure - * @access public - */ - function valid() - { - $numrows = $this->numRows(); - if (PEAR::isError($numrows)) { - return $numrows; - } - return $this->rownum < ($numrows - 1); - } - - // }}} - // {{{ numRows() - - /** - * Returns the number of rows in a result object - * - * @return mixed MDB2 Error Object or the number of rows - * @access public - */ - function numRows() - { - $rows = 0; - $this->result->reset(); - while($this->result->fetchArray()) { - $rows++; - } - $this->result->reset(); - return $rows; - } -} - -/** - * MDB2 SQLite statement driver - * - * @package MDB2 - * @category Database - * @author Lukas Smith - */ -class MDB2_Statement_sqlite3 extends MDB2_Statement_Common -{ - // }}} - // {{{ function bindValue($parameter, &$value, $type = null) - - private function getParamType($type) { - switch(strtolower($type)) { - case 'text': - return SQLITE3_TEXT; - case 'boolean': - case 'integer': - return SQLITE3_INTEGER; - case 'float': - return SQLITE3_FLOAT; - case 'blob': - return SQLITE3_BLOB; - } - } - /** - * Set the value of a parameter of a prepared query. - * - * @param int the order number of the parameter in the query - * statement. The order number of the first parameter is 1. - * @param mixed value that is meant to be assigned to specified - * parameter. The type of the value depends on the $type argument. - * @param string specifies the type of the field - * - * @return mixed MDB2_OK on success, a MDB2 error on failure - * - * @access public - */ - function bindValue($parameter, $value, $type = null) { - if($type) { - $type=$this->getParamType($type); - $this->statement->bindValue($parameter, $value, $type); - }else{ - $this->statement->bindValue($parameter, $value); - } - return MDB2_OK; - } - - /** - * Bind a variable to a parameter of a prepared query. - * - * @param int the order number of the parameter in the query - * statement. The order number of the first parameter is 1. - * @param mixed variable that is meant to be bound to specified - * parameter. The type of the value depends on the $type argument. - * @param string specifies the type of the field - * - * @return mixed MDB2_OK on success, a MDB2 error on failure - * - * @access public - */ - function bindParam($parameter, &$value, $type = null) { - if($type) { - $type=$this->getParamType($type); - $this->statement->bindParam($parameter, $value, $type); - }else{ - $this->statement->bindParam($parameter, $value); - } - return MDB2_OK; - } - - /** - * Release resources allocated for the specified prepared query. - * - * @return mixed MDB2_OK on success, a MDB2 error on failure - * @access public - */ - function free() - { - $this->statement->close(); - } - - /** - * Execute a prepared query statement helper method. - * - * @param mixed $result_class string which specifies which result class to use - * @param mixed $result_wrap_class string which specifies which class to wrap results in - * - * @return mixed MDB2_Result or integer (affected rows) on success, - * a MDB2 error on failure - * @access private - */ - function _execute($result_class = true, $result_wrap_class = false) { - if (is_null($this->statement)) { - $result =& parent::_execute($result_class, $result_wrap_class); - return $result; - } - $this->db->last_query = $this->query; - $this->db->debug($this->query, 'execute', array('is_manip' => $this->is_manip, 'when' => 'pre', 'parameters' => $this->values)); - if ($this->db->getOption('disable_query')) { - $result = $this->is_manip ? 0 : null; - return $result; - } - - $connection = $this->db->getConnection(); - if (PEAR::isError($connection)) { - return $connection; - } - - $result = $this->statement->execute(); - if ($result==false) { - $err =$this->db->raiseError(MDB2_ERROR_NEED_MORE_DATA, null, null, - 'cant execute statement', __FUNCTION__); - } - - if ($this->is_manip) { - $affected_rows = $this->db->_affectedRows($connection, $result); - return $affected_rows; - } - - $result = $this->db->_wrapResult($result, $this->result_types, - $result_class, $result_wrap_class, $this->limit, $this->offset); - $this->db->debug($this->query, 'execute', array('is_manip' => $this->is_manip, 'when' => 'post', 'result' => $result)); - return $result; - } - - /** - * Set the values of multiple a parameter of a prepared query in bulk. - * - * @param array specifies all necessary information - * for bindValue() the array elements must use keys corresponding to - * the number of the position of the parameter. - * @param array specifies the types of the fields - * - * @return mixed MDB2_OK on success, a MDB2 error on failure - * - * @access public - * @see bindParam() - */ - function bindValueArray($values, $types = null) - { - $types = is_array($types) ? array_values($types) : array_fill(0, count($values), null); - $parameters = array_keys($values); - foreach ($parameters as $key => $parameter) { - $this->db->pushErrorHandling(PEAR_ERROR_RETURN); - $this->db->expectError(MDB2_ERROR_NOT_FOUND); - $err = $this->bindValue($parameter+1, $values[$parameter], $types[$key]); - $this->db->popExpect(); - $this->db->popErrorHandling(); - if (PEAR::isError($err)) { - if ($err->getCode() == MDB2_ERROR_NOT_FOUND) { - //ignore (extra value for missing placeholder) - continue; - } - return $err; - } - } - return MDB2_OK; - } - // }}} - // {{{ function bindParamArray(&$values, $types = null) - - /** - * Bind the variables of multiple a parameter of a prepared query in bulk. - * - * @param array specifies all necessary information - * for bindParam() the array elements must use keys corresponding to - * the number of the position of the parameter. - * @param array specifies the types of the fields - * - * @return mixed MDB2_OK on success, a MDB2 error on failure - * - * @access public - * @see bindParam() - */ - function bindParamArray(&$values, $types = null) - { - $types = is_array($types) ? array_values($types) : array_fill(0, count($values), null); - $parameters = array_keys($values); - foreach ($parameters as $key => $parameter) { - $err = $this->bindParam($parameter+1, $values[$parameter], $types[$key]); - if (PEAR::isError($err)) { - return $err; - } - } - return MDB2_OK; - } - - // }}} - // {{{ function &execute($values = null, $result_class = true, $result_wrap_class = false) - - /** - * Execute a prepared query statement. - * - * @param array specifies all necessary information - * for bindParam() the array elements must use keys corresponding - * to the number of the position of the parameter. - * @param mixed specifies which result class to use - * @param mixed specifies which class to wrap results in - * - * @return mixed MDB2_Result or integer (affected rows) on success, - * a MDB2 error on failure - * @access public - */ - function execute($values = null, $result_class = true, $result_wrap_class = false) - { - if (is_null($this->positions)) { - return $this->db->raiseError(MDB2_ERROR, null, null, - 'Prepared statement has already been freed', __FUNCTION__); - } - $values = (array)$values; - if (!empty($values)) { - if(count($this->types)) { - $types=$this->types; - }else{ - $types=null; - } - $err = $this->bindValueArray($values, $types); - if (PEAR::isError($err)) { - return $this->db->raiseError(MDB2_ERROR, null, null, - 'Binding Values failed with message: ' . $err->getMessage(), __FUNCTION__); - } - } - $result =$this->_execute($result_class, $result_wrap_class); - return $result; - } - - function __destruct() { - $this->free(); - } -} diff --git a/lib/app.php b/lib/app.php index f9b1c5ca7b..2437896157 100644 --- a/lib/app.php +++ b/lib/app.php @@ -424,7 +424,7 @@ class OC_App{ return $navigation; } - /// This is private as well. It simply works, so don't ask for more details + // This is private as well. It simply works, so don't ask for more details private static function proceedNavigation( $list ) { foreach( $list as &$naventry ) { if( $naventry['id'] == self::$activeapp ) { @@ -473,7 +473,7 @@ class OC_App{ } /** * Get the directory for the given app. - * If the app is defined in multiple directory, the first one is taken. (false if not found) + * If the app is defined in multiple directories, the first one is taken. (false if not found) */ public static function getAppPath($appid) { if( ($dir = self::findAppInDirectories($appid)) != false) { @@ -484,7 +484,7 @@ class OC_App{ /** * Get the path for the given app on the access - * If the app is defined in multiple directory, the first one is taken. (false if not found) + * If the app is defined in multiple directories, the first one is taken. (false if not found) */ public static function getAppWebPath($appid) { if( ($dir = self::findAppInDirectories($appid)) != false) { @@ -818,7 +818,7 @@ class OC_App{ } /** - * check if the app need updating and update when needed + * check if the app needs updating and update when needed */ public static function checkUpgrade($app) { if (in_array($app, self::$checkedApps)) { @@ -839,9 +839,9 @@ class OC_App{ OC_Hook::emit('update', 'success', 'Updated '.$info['name'].' app'); } catch (Exception $e) { - echo 'Failed to upgrade "'.$app.'". Exception="'.$e->getMessage().'"'; OC_Hook::emit('update', 'failure', 'Failed to update '.$info['name'].' app: '.$e->getMessage()); - die; + $l = OC_L10N::get('lib'); + throw new RuntimeException($l->t('Failed to upgrade "%s".', array($app)), 0, $e); } OC_Appconfig::setValue($app, 'installed_version', OC_App::getAppVersion($app)); } diff --git a/lib/archive.php b/lib/archive.php index 61239c8207..70615db714 100644 --- a/lib/archive.php +++ b/lib/archive.php @@ -8,7 +8,7 @@ abstract class OC_Archive{ /** - * open any of the supporeted archive types + * open any of the supported archive types * @param string path * @return OC_Archive */ @@ -69,7 +69,7 @@ abstract class OC_Archive{ */ abstract function getFolder($path); /** - *get all files in the archive + * get all files in the archive * @return array */ abstract function getFiles(); @@ -113,7 +113,7 @@ abstract class OC_Archive{ */ abstract function getStream($path, $mode); /** - * add a folder and all it's content + * add a folder and all its content * @param string $path * @param string source * @return bool diff --git a/lib/archive/tar.php b/lib/archive/tar.php index e7c8138961..a1c0535b1c 100644 --- a/lib/archive/tar.php +++ b/lib/archive/tar.php @@ -182,7 +182,7 @@ class OC_Archive_TAR extends OC_Archive{ return $folderContent; } /** - *get all files in the archive + * get all files in the archive * @return array */ function getFiles() { diff --git a/lib/archive/zip.php b/lib/archive/zip.php index 8e31795ded..8a866716a7 100644 --- a/lib/archive/zip.php +++ b/lib/archive/zip.php @@ -94,7 +94,7 @@ class OC_Archive_ZIP extends OC_Archive{ return $folderContent; } /** - *get all files in the archive + * get all files in the archive * @return array */ function getFiles() { diff --git a/lib/base.php b/lib/base.php index af54f43915..eaee842465 100644 --- a/lib/base.php +++ b/lib/base.php @@ -124,10 +124,9 @@ class OC { OC::$THIRDPARTYWEBROOT = rtrim(dirname(OC::$WEBROOT), '/'); OC::$THIRDPARTYROOT = rtrim(dirname(OC::$SERVERROOT), '/'); } else { - echo('3rdparty directory not found! Please put the ownCloud 3rdparty' + throw new Exception('3rdparty directory not found! Please put the ownCloud 3rdparty' .' folder in the ownCloud folder or the folder above.' .' You can also configure the location in the config.php file.'); - exit; } // search the apps folder $config_paths = OC_Config::getValue('apps_paths', array()); @@ -150,9 +149,8 @@ class OC { } if (empty(OC::$APPSROOTS)) { - echo('apps directory not found! Please put the ownCloud apps folder in the ownCloud folder' + throw new Exception('apps directory not found! Please put the ownCloud apps folder in the ownCloud folder' .' or the folder above. You can also configure the location in the config.php file.'); - exit; } $paths = array(); foreach (OC::$APPSROOTS as $path) { @@ -173,14 +171,12 @@ class OC { public static function checkConfig() { if (file_exists(OC::$SERVERROOT . "/config/config.php") and !is_writable(OC::$SERVERROOT . "/config/config.php")) { - $tmpl = new OC_Template('', 'error', 'guest'); - $tmpl->assign('errors', array(1 => array( - 'error' => "Can't write into config directory 'config'", - 'hint' => 'You can usually fix this by giving the webserver user write access' - .' to the config directory in owncloud' - ))); - $tmpl->printPage(); - exit(); + $defaults = new OC_Defaults(); + OC_Template::printErrorPage( + "Can't write into config directory!", + 'This can usually be fixed by ' + .'giving the webserver write access to the config directory.' + ); } } @@ -222,10 +218,7 @@ class OC { header('Retry-After: 120'); // render error page - $tmpl = new OC_Template('', 'error', 'guest'); - $tmpl->assign('errors', array(1 => array('error' => 'ownCloud is in maintenance mode'))); - $tmpl->printPage(); - exit(); + OC_Template::printErrorPage('ownCloud is in maintenance mode'); } } @@ -304,11 +297,7 @@ class OC { $error = 'Session could not be initialized. Please contact your '; $error .= 'system administrator'; - $tmpl = new OC_Template('', 'error', 'guest'); - $tmpl->assign('errors', array(1 => array('error' => $error))); - $tmpl->printPage(); - - exit(); + OC_Template::printErrorPage($error); } $sessionLifeTime = self::getSessionLifeTime(); @@ -369,6 +358,7 @@ class OC { self::$loader->registerPrefix('Symfony\\Component\\Routing', 'symfony/routing'); self::$loader->registerPrefix('Sabre\\VObject', '3rdparty'); self::$loader->registerPrefix('Sabre_', '3rdparty'); + self::$loader->registerPrefix('Patchwork', '3rdparty'); spl_autoload_register(array(self::$loader, 'load')); // set some stuff @@ -432,10 +422,13 @@ class OC { } } - if (!defined('PHPUNIT_RUN') and !(defined('DEBUG') and DEBUG)) { - register_shutdown_function(array('OC_Log', 'onShutdown')); - set_error_handler(array('OC_Log', 'onError')); - set_exception_handler(array('OC_Log', 'onException')); + if (!defined('PHPUNIT_RUN')) { + if (defined('DEBUG') and DEBUG) { + set_exception_handler(array('OC_Template', 'printExceptionErrorPage')); + } else { + OC\Log\ErrorHandler::register(); + OC\Log\ErrorHandler::setLogger(OC_Log::$object); + } } // register the stream wrappers @@ -597,6 +590,9 @@ class OC { self::checkUpgrade(); } + // Test it the user is already authenticated using Apaches AuthType Basic... very usable in combination with LDAP + OC::tryBasicAuthLogin(); + if (!self::$CLI) { try { if (!OC_Config::getValue('maintenance', false)) { @@ -698,15 +694,11 @@ class OC { // remember was checked after last login if (OC::tryRememberLogin()) { $error[] = 'invalidcookie'; - // Someone wants to log in : } elseif (OC::tryFormLogin()) { $error[] = 'invalidpassword'; - - // The user is already authenticated using Apaches AuthType Basic... very usable in combination with LDAP - } elseif (OC::tryBasicAuthLogin()) { - $error[] = 'invalidpassword'; } + OC_Util::displayLoginPage(array_unique($error)); } @@ -804,8 +796,7 @@ class OC { if (OC_User::login($_SERVER["PHP_AUTH_USER"], $_SERVER["PHP_AUTH_PW"])) { //OC_Log::write('core',"Logged in with HTTP Authentication", OC_Log::DEBUG); OC_User::unsetMagicInCookie(); - $_REQUEST['redirect_url'] = OC_Request::requestUri(); - OC_Util::redirectToDefaultPage(); + $_SERVER['HTTP_REQUESTTOKEN'] = OC_Util::callRegister(); } return true; } @@ -835,3 +826,4 @@ if (!function_exists('get_temp_dir')) { } OC::init(); + diff --git a/lib/cache.php b/lib/cache.php index bc74ed83f8..48b9964ba9 100644 --- a/lib/cache.php +++ b/lib/cache.php @@ -15,41 +15,14 @@ class OC_Cache { * @var OC_Cache $global_cache */ static protected $global_cache; - /** - * @var OC_Cache $global_cache_fast - */ - static protected $global_cache_fast; - /** - * @var OC_Cache $user_cache_fast - */ - static protected $user_cache_fast; - static protected $isFast=null; /** * get the global cache * @return OC_Cache */ - static public function getGlobalCache($fast=false) { + static public function getGlobalCache() { if (!self::$global_cache) { - self::$global_cache_fast = null; - if (!self::$global_cache_fast && function_exists('xcache_set')) { - self::$global_cache_fast = new OC_Cache_XCache(true); - } - if (!self::$global_cache_fast && function_exists('apc_store')) { - self::$global_cache_fast = new OC_Cache_APC(true); - } - self::$global_cache = new OC_Cache_FileGlobal(); - if (self::$global_cache_fast) { - self::$global_cache = new OC_Cache_Broker(self::$global_cache_fast, self::$global_cache); - } - } - if($fast) { - if(self::$global_cache_fast) { - return self::$global_cache_fast; - }else{ - return false; - } } return self::$global_cache; } @@ -58,34 +31,16 @@ class OC_Cache { * get the user cache * @return OC_Cache */ - static public function getUserCache($fast=false) { + static public function getUserCache() { if (!self::$user_cache) { - self::$user_cache_fast = null; - if (!self::$user_cache_fast && function_exists('xcache_set')) { - self::$user_cache_fast = new OC_Cache_XCache(); - } - if (!self::$user_cache_fast && function_exists('apc_store')) { - self::$user_cache_fast = new OC_Cache_APC(); - } - self::$user_cache = new OC_Cache_File(); - if (self::$user_cache_fast) { - self::$user_cache = new OC_Cache_Broker(self::$user_cache_fast, self::$user_cache); - } - } - - if($fast) { - if(self::$user_cache_fast) { - return self::$user_cache_fast; - }else{ - return false; - } } return self::$user_cache; } /** * get a value from the user cache + * @param string $key * @return mixed */ static public function get($key) { @@ -95,6 +50,9 @@ class OC_Cache { /** * set a value in the user cache + * @param string $key + * @param mixed $value + * @param int $ttl * @return bool */ static public function set($key, $value, $ttl=0) { @@ -107,6 +65,7 @@ class OC_Cache { /** * check if a value is set in the user cache + * @param string $key * @return bool */ static public function hasKey($key) { @@ -116,6 +75,7 @@ class OC_Cache { /** * remove an item from the user cache + * @param string $key * @return bool */ static public function remove($key) { @@ -133,17 +93,6 @@ class OC_Cache { return $user_cache->clear($prefix); } - /** - * check if a fast memory based cache is available - * @return true - */ - static public function isFast() { - if(is_null(self::$isFast)) { - self::$isFast=function_exists('xcache_set') || function_exists('apc_store'); - } - return self::$isFast; - } - static public function generateCacheKeyFromFiles($files) { $key = ''; sort($files); diff --git a/lib/cache/apc.php b/lib/cache/apc.php deleted file mode 100644 index 895d307ea2..0000000000 --- a/lib/cache/apc.php +++ /dev/null @@ -1,64 +0,0 @@ - - * This file is licensed under the Affero General Public License version 3 or - * later. - * See the COPYING-README file. - */ - -class OC_Cache_APC { - protected $prefix; - - public function __construct($global = false) { - $this->prefix = OC_Util::getInstanceId().'/'; - if (!$global) { - $this->prefix .= OC_User::getUser().'/'; - } - } - - /** - * entries in APC gets namespaced to prevent collisions between owncloud instances and users - */ - protected function getNameSpace() { - return $this->prefix; - } - - public function get($key) { - $result = apc_fetch($this->getNamespace().$key, $success); - if (!$success) { - return null; - } - return $result; - } - - public function set($key, $value, $ttl=0) { - return apc_store($this->getNamespace().$key, $value, $ttl); - } - - public function hasKey($key) { - return apc_exists($this->getNamespace().$key); - } - - public function remove($key) { - return apc_delete($this->getNamespace().$key); - } - - public function clear($prefix='') { - $ns = $this->getNamespace().$prefix; - $cache = apc_cache_info('user'); - foreach($cache['cache_list'] as $entry) { - if (strpos($entry['info'], $ns) === 0) { - apc_delete($entry['info']); - } - } - return true; - } -} -if(!function_exists('apc_exists')) { - function apc_exists($keys) - { - $result=false; - apc_fetch($keys, $result); - return $result; - } -} diff --git a/lib/config.php b/lib/config.php index f1c139f22b..e773e6e2eb 100644 --- a/lib/config.php +++ b/lib/config.php @@ -34,16 +34,34 @@ * */ +namespace OC; + /** * This class is responsible for reading and writing config.php, the very basic - * configuration file of owncloud. + * configuration file of ownCloud. */ -class OC_Config{ +class Config { // associative array key => value - private static $cache = array(); + protected $cache = array(); - // Is the cache filled? - private static $init = false; + protected $configDir; + protected $configFilename; + + protected $debugMode; + + /** + * @param $configDir path to the config dir, needs to end with '/' + */ + public function __construct($configDir) { + $this->configDir = $configDir; + $this->configFilename = $this->configDir.'config.php'; + $this->readData(); + $this->setDebugMode(defined('DEBUG') && DEBUG); + } + + public function setDebugMode($enable) { + $this->debugMode = $enable; + } /** * @brief Lists all available config keys @@ -52,10 +70,8 @@ class OC_Config{ * This function returns all keys saved in config.php. Please note that it * does not return the values. */ - public static function getKeys() { - self::readData(); - - return array_keys( self::$cache ); + public function getKeys() { + return array_keys($this->cache); } /** @@ -67,11 +83,9 @@ class OC_Config{ * This function gets the value from config.php. If it does not exist, * $default will be returned. */ - public static function getValue( $key, $default = null ) { - self::readData(); - - if( array_key_exists( $key, self::$cache )) { - return self::$cache[$key]; + public function getValue($key, $default = null) { + if (isset($this->cache[$key])) { + return $this->cache[$key]; } return $default; @@ -81,116 +95,92 @@ class OC_Config{ * @brief Sets a value * @param string $key key * @param string $value value - * @return bool * - * This function sets the value and writes the config.php. If the file can - * not be written, false will be returned. + * This function sets the value and writes the config.php. + * */ - public static function setValue( $key, $value ) { - self::readData(); - + public function setValue($key, $value) { // Add change - self::$cache[$key] = $value; + $this->cache[$key] = $value; // Write changes - self::writeData(); - return true; + $this->writeData(); } /** * @brief Removes a key from the config * @param string $key key - * @return bool * - * This function removes a key from the config.php. If owncloud has no - * write access to config.php, the function will return false. + * This function removes a key from the config.php. + * */ - public static function deleteKey( $key ) { - self::readData(); - - if( array_key_exists( $key, self::$cache )) { + public function deleteKey($key) { + if (isset($this->cache[$key])) { // Delete key from cache - unset( self::$cache[$key] ); + unset($this->cache[$key]); // Write changes - self::writeData(); + $this->writeData(); } - - return true; } /** * @brief Loads the config file - * @return bool * * Reads the config file and saves it to the cache */ - private static function readData() { - if( self::$init ) { - return true; + private function readData() { + // Default config + $configFiles = array($this->configFilename); + // Add all files in the config dir ending with config.php + $extra = glob($this->configDir.'*.config.php'); + if (is_array($extra)) { + natsort($extra); + $configFiles = array_merge($configFiles, $extra); } - - // read all file in config dir ending by config.php - $config_files = glob( OC::$SERVERROOT."/config/*.config.php"); - if (!is_array($config_files)) { - $config_files = array(); - } - - //Filter only regular files - $config_files = array_filter($config_files, 'is_file'); - - //Sort array naturally : - natsort($config_files); - - // Add default config - array_unshift($config_files,OC::$SERVERROOT."/config/config.php"); - - //Include file and merge config - foreach($config_files as $file){ + // Include file and merge config + foreach ($configFiles as $file) { + if (!file_exists($file)) { + continue; + } + unset($CONFIG); + // ignore errors on include, this can happen when doing a fresh install @include $file; - if( isset( $CONFIG ) && is_array( $CONFIG )) { - self::$cache = array_merge(self::$cache, $CONFIG); + if (isset($CONFIG) && is_array($CONFIG)) { + $this->cache = array_merge($this->cache, $CONFIG); } } - - // We cached everything - self::$init = true; - - return true; } /** * @brief Writes the config file - * @return bool * * Saves the config to the config file. * */ - public static function writeData() { + private function writeData() { // Create a php file ... - $content = "debugMode) { $content .= "define('DEBUG',true);\n"; } - $content .= "\$CONFIG = "; - $content .= var_export(self::$cache, true); + $content .= '$CONFIG = '; + $content .= var_export($this->cache, true); $content .= ";\n"; - $filename = OC::$SERVERROOT."/config/config.php"; // Write the file - $result=@file_put_contents( $filename, $content ); - if(!$result) { - $tmpl = new OC_Template( '', 'error', 'guest' ); - $tmpl->assign('errors', array(1=>array( - 'error'=>"Can't write into config directory 'config'", - 'hint'=>'You can usually fix this by giving the webserver user write access' - .' to the config directory in owncloud'))); - $tmpl->printPage(); - exit; + $result = @file_put_contents($this->configFilename, $content); + if (!$result) { + $url = $defaults->getDocBaseUrl() . '/server/5.0/admin_manual/installation/installation_source.html#set-the-directory-permissions'; + throw new HintException( + "Can't write into config directory!", + 'This can usually be fixed by ' + .'giving the webserver write access to the config directory.'); } // Prevent others not to read the config - @chmod($filename, 0640); - OC_Util::clearOpcodeCache(); - return true; + @chmod($this->configFilename, 0640); + \OC_Util::clearOpcodeCache(); } } + diff --git a/lib/connector/sabre/auth.php b/lib/connector/sabre/auth.php index 6990d928cf..bf3a49593c 100644 --- a/lib/connector/sabre/auth.php +++ b/lib/connector/sabre/auth.php @@ -60,4 +60,25 @@ class OC_Connector_Sabre_Auth extends Sabre_DAV_Auth_Backend_AbstractBasic { } return $user; } + + /** + * Override function here. We want to cache authentication cookies + * in the syncing client to avoid HTTP-401 roundtrips. + * If the sync client supplies the cookies, then OC_User::isLoggedIn() + * will return true and we can see this WebDAV request as already authenticated, + * even if there are no HTTP Basic Auth headers. + * In other case, just fallback to the parent implementation. + * + * @return bool + */ + public function authenticate(Sabre_DAV_Server $server, $realm) { + if (OC_User::isLoggedIn()) { + $user = OC_User::getUser(); + OC_Util::setupFS($user); + $this->currentUser = $user; + return true; + } + + return parent::authenticate($server, $realm); + } } diff --git a/lib/connector/sabre/directory.php b/lib/connector/sabre/directory.php index 3d15a2a584..ed8d085462 100644 --- a/lib/connector/sabre/directory.php +++ b/lib/connector/sabre/directory.php @@ -222,7 +222,6 @@ class OC_Connector_Sabre_Directory extends OC_Connector_Sabre_Node implements Sa throw new \Sabre_DAV_Exception_Forbidden(); } if ($this->path != "/Shared") { - foreach($this->getChildren() as $child) $child->delete(); \OC\Files\Filesystem::rmdir($this->path); } diff --git a/lib/connector/sabre/file.php b/lib/connector/sabre/file.php index 438d9871c2..06ab73e3e4 100644 --- a/lib/connector/sabre/file.php +++ b/lib/connector/sabre/file.php @@ -115,8 +115,11 @@ class OC_Connector_Sabre_File extends OC_Connector_Sabre_Node implements Sabre_D */ public function getSize() { $this->getFileinfoCache(); - return $this->fileinfo_cache['size']; - + if ($this->fileinfo_cache['size'] > -1) { + return $this->fileinfo_cache['size']; + } else { + return null; + } } /** diff --git a/lib/connector/sabre/objecttree.php b/lib/connector/sabre/objecttree.php new file mode 100644 index 0000000000..c4ddcbecbb --- /dev/null +++ b/lib/connector/sabre/objecttree.php @@ -0,0 +1,102 @@ + + * This file is licensed under the Affero General Public License version 3 or + * later. + * See the COPYING-README file. + */ + +namespace OC\Connector\Sabre; + +use OC\Files\Filesystem; + +class ObjectTree extends \Sabre_DAV_ObjectTree { + /** + * Returns the INode object for the requested path + * + * @param string $path + * @throws \Sabre_DAV_Exception_NotFound + * @return \Sabre_DAV_INode + */ + public function getNodeForPath($path) { + + $path = trim($path, '/'); + if (isset($this->cache[$path])) return $this->cache[$path]; + + // Is it the root node? + if (!strlen($path)) { + return $this->rootNode; + } + + $info = Filesystem::getFileInfo($path); + + if (!$info) { + throw new \Sabre_DAV_Exception_NotFound('File with name ' . $path . ' could not be located'); + } + + if ($info['mimetype'] === 'httpd/unix-directory') { + $node = new \OC_Connector_Sabre_Directory($path); + } else { + $node = new \OC_Connector_Sabre_File($path); + } + + $node->setFileinfoCache($info); + + $this->cache[$path] = $node; + return $node; + + } + + /** + * Moves a file from one location to another + * + * @param string $sourcePath The path to the file which should be moved + * @param string $destinationPath The full destination path, so not just the destination parent node + * @throws \Sabre_DAV_Exception_Forbidden + * @return int + */ + public function move($sourcePath, $destinationPath) { + + $sourceNode = $this->getNodeForPath($sourcePath); + if ($sourceNode instanceof \Sabre_DAV_ICollection and $this->nodeExists($destinationPath)) { + throw new \Sabre_DAV_Exception_Forbidden('Could not copy directory ' . $sourceNode . ', target exists'); + } + list($sourceDir,) = \Sabre_DAV_URLUtil::splitPath($sourcePath); + list($destinationDir,) = \Sabre_DAV_URLUtil::splitPath($destinationPath); + + Filesystem::rename($sourcePath, $destinationPath); + + $this->markDirty($sourceDir); + $this->markDirty($destinationDir); + + } + + /** + * Copies a file or directory. + * + * This method must work recursively and delete the destination + * if it exists + * + * @param string $source + * @param string $destination + * @return void + */ + public function copy($source, $destination) { + + if (Filesystem::is_file($source)) { + Filesystem::copy($source, $destination); + } else { + Filesystem::mkdir($destination); + $dh = Filesystem::opendir($source); + while ($subnode = readdir($dh)) { + + if ($subnode == '.' || $subnode == '..') continue; + $this->copy($source . '/' . $subnode, $destination . '/' . $subnode); + + } + } + + list($destinationDir,) = \Sabre_DAV_URLUtil::splitPath($destination); + $this->markDirty($destinationDir); + } +} diff --git a/lib/connector/sabre/principal.php b/lib/connector/sabre/principal.php index 04be410ac8..16c88b96ea 100644 --- a/lib/connector/sabre/principal.php +++ b/lib/connector/sabre/principal.php @@ -121,6 +121,6 @@ class OC_Connector_Sabre_Principal implements Sabre_DAVACL_IPrincipalBackend { } function searchPrincipals($prefixPath, array $searchProperties) { - return 0; + return array(); } } diff --git a/lib/db.php b/lib/db.php index a93b9eccbd..e70d66fc2b 100644 --- a/lib/db.php +++ b/lib/db.php @@ -20,7 +20,9 @@ * */ -class DatabaseException extends Exception{ +define('MDB2_SCHEMA_DUMP_STRUCTURE', '1'); + +class DatabaseException extends Exception { private $query; //FIXME getQuery seems to be unused, maybe use parent constructor with $message, $code and $previous @@ -29,61 +31,41 @@ class DatabaseException extends Exception{ $this->query = $query; } - public function getQuery(){ + public function getQuery() { return $this->query; } } /** * This class manages the access to the database. It basically is a wrapper for - * MDB2 with some adaptions. + * Doctrine with some adaptions. */ class OC_DB { - const BACKEND_PDO=0; - const BACKEND_MDB2=1; + const BACKEND_DOCTRINE=2; static private $preparedQueries = array(); static private $cachingEnabled = true; /** - * @var MDB2_Driver_Common + * @var \Doctrine\DBAL\Connection */ - static private $connection; //the prefered connection to use, either PDO or MDB2 + static private $connection; //the preferred connection to use, only Doctrine static private $backend=null; /** - * @var MDB2_Driver_Common + * @var \Doctrine\DBAL\Connection */ - static private $MDB2=null; - /** - * @var PDO - */ - static private $PDO=null; - /** - * @var MDB2_Schema - */ - static private $schema=null; + static private $DOCTRINE=null; + static private $inTransaction=false; static private $prefix=null; static private $type=null; /** * check which backend we should use - * @return int BACKEND_MDB2 or BACKEND_PDO + * @return int BACKEND_DOCTRINE */ private static function getDBBackend() { - //check if we can use PDO, else use MDB2 (installation always needs to be done my mdb2) - if(class_exists('PDO') && OC_Config::getValue('installed', false)) { - $type = OC_Config::getValue( "dbtype", "sqlite" ); - if($type=='oci') { //oracle also always needs mdb2 - return self::BACKEND_MDB2; - } - if($type=='sqlite3') $type='sqlite'; - $drivers=PDO::getAvailableDrivers(); - if(array_search($type, $drivers)!==false) { - return self::BACKEND_PDO; - } - } - return self::BACKEND_MDB2; + return self::BACKEND_DOCTRINE; } /** @@ -100,28 +82,24 @@ class OC_DB { if(is_null($backend)) { $backend=self::getDBBackend(); } - if($backend==self::BACKEND_PDO) { - $success = self::connectPDO(); - self::$connection=self::$PDO; - self::$backend=self::BACKEND_PDO; - }else{ - $success = self::connectMDB2(); - self::$connection=self::$MDB2; - self::$backend=self::BACKEND_MDB2; + if($backend==self::BACKEND_DOCTRINE) { + $success = self::connectDoctrine(); + self::$connection=self::$DOCTRINE; + self::$backend=self::BACKEND_DOCTRINE; } return $success; } /** - * connect to the database using pdo + * connect to the database using doctrine * * @return bool */ - public static function connectPDO() { + public static function connectDoctrine() { if(self::$connection) { - if(self::$backend==self::BACKEND_MDB2) { + if(self::$backend!=self::BACKEND_DOCTRINE) { self::disconnect(); - }else{ + } else { return true; } } @@ -134,169 +112,85 @@ class OC_DB { $type = OC_Config::getValue( "dbtype", "sqlite" ); if(strpos($host, ':')) { list($host, $port)=explode(':', $host, 2); - }else{ + } else { $port=false; } - $opts = array(); - $datadir=OC_Config::getValue( "datadirectory", OC::$SERVERROOT.'/data' ); // do nothing if the connection already has been established - if(!self::$PDO) { - // Add the dsn according to the database type - switch($type) { - case 'sqlite': - $dsn='sqlite2:'.$datadir.'/'.$name.'.db'; - break; - case 'sqlite3': - $dsn='sqlite:'.$datadir.'/'.$name.'.db'; - break; - case 'mysql': - if($port) { - $dsn='mysql:dbname='.$name.';host='.$host.';port='.$port; - }else{ - $dsn='mysql:dbname='.$name.';host='.$host; - } - $opts[PDO::MYSQL_ATTR_INIT_COMMAND] = "SET NAMES 'UTF8'"; - break; - case 'pgsql': - if($port) { - $dsn='pgsql:dbname='.$name.';host='.$host.';port='.$port; - }else{ - $dsn='pgsql:dbname='.$name.';host='.$host; - } - /** - * Ugly fix for pg connections pbm when password use spaces - */ - $e_user = addslashes($user); - $e_password = addslashes($pass); - $pass = $user = null; - $dsn .= ";user='$e_user';password='$e_password'"; - /** END OF FIX***/ - break; - case 'oci': // Oracle with PDO is unsupported - if ($port) { - $dsn = 'oci:dbname=//' . $host . ':' . $port . '/' . $name; - } else { - $dsn = 'oci:dbname=//' . $host . '/' . $name; - } - break; - case 'mssql': - if ($port) { - $dsn='sqlsrv:Server='.$host.','.$port.';Database='.$name; - } else { - $dsn='sqlsrv:Server='.$host.';Database='.$name; - } - break; - default: - return false; - } - self::$PDO=new PDO($dsn, $user, $pass, $opts); - - // We always, really always want associative arrays - self::$PDO->setAttribute(PDO::ATTR_DEFAULT_FETCH_MODE, PDO::FETCH_ASSOC); - self::$PDO->setAttribute(PDO::ATTR_ERRMODE, PDO::ERRMODE_EXCEPTION); - } - return true; - } - - /** - * connect to the database using mdb2 - */ - public static function connectMDB2() { - if(self::$connection) { - if(self::$backend==self::BACKEND_PDO) { - self::disconnect(); - }else{ - return true; - } - } - self::$preparedQueries = array(); - // The global data we need - $name = OC_Config::getValue( "dbname", "owncloud" ); - $host = OC_Config::getValue( "dbhost", "" ); - $user = OC_Config::getValue( "dbuser", "" ); - $pass = OC_Config::getValue( "dbpassword", "" ); - $type = OC_Config::getValue( "dbtype", "sqlite" ); - $SERVERROOT=OC::$SERVERROOT; - $datadir=OC_Config::getValue( "datadirectory", "$SERVERROOT/data" ); - - // do nothing if the connection already has been established - if(!self::$MDB2) { - // Require MDB2.php (not required in the head of the file so we only load it when needed) - require_once 'MDB2.php'; - - // Prepare options array - $options = array( - 'portability' => MDB2_PORTABILITY_ALL - MDB2_PORTABILITY_FIX_CASE, - 'log_line_break' => '
    ', - 'idxname_format' => '%s', - 'debug' => true, - 'quote_identifier' => true - ); - - // Add the dsn according to the database type + if(!self::$DOCTRINE) { + $config = new \Doctrine\DBAL\Configuration(); switch($type) { case 'sqlite': case 'sqlite3': - $dsn = array( - 'phptype' => $type, - 'database' => "$datadir/$name.db", - 'mode' => '0644' + $datadir=OC_Config::getValue( "datadirectory", OC::$SERVERROOT.'/data' ); + $connectionParams = array( + 'user' => $user, + 'password' => $pass, + 'path' => $datadir.'/'.$name.'.db', + 'driver' => 'pdo_sqlite', ); break; case 'mysql': - $dsn = array( - 'phptype' => 'mysql', - 'username' => $user, - 'password' => $pass, - 'hostspec' => $host, - 'database' => $name + $connectionParams = array( + 'user' => $user, + 'password' => $pass, + 'host' => $host, + 'port' => $port, + 'dbname' => $name, + 'charset' => 'UTF8', + 'driver' => 'pdo_mysql', ); break; case 'pgsql': - $dsn = array( - 'phptype' => 'pgsql', - 'username' => $user, - 'password' => $pass, - 'hostspec' => $host, - 'database' => $name + $connectionParams = array( + 'user' => $user, + 'password' => $pass, + 'host' => $host, + 'port' => $port, + 'dbname' => $name, + 'driver' => 'pdo_pgsql', ); break; case 'oci': - $dsn = array( - 'phptype' => 'oci8', - 'username' => $user, - 'password' => $pass, - 'service' => $name, - 'hostspec' => $host, - 'charset' => 'AL32UTF8', + $connectionParams = array( + 'user' => $user, + 'password' => $pass, + 'host' => $host, + 'dbname' => $name, + 'charset' => 'AL32UTF8', + 'driver' => 'oci8', ); + if (!empty($port)) { + $connectionParams['port'] = $port; + } break; case 'mssql': - $dsn = array( - 'phptype' => 'sqlsrv', - 'username' => $user, - 'password' => $pass, - 'hostspec' => $host, - 'database' => $name, - 'charset' => 'UTF-8' + $connectionParams = array( + 'user' => $user, + 'password' => $pass, + 'host' => $host, + 'port' => $port, + 'dbname' => $name, + 'charset' => 'UTF8', + 'driver' => 'pdo_sqlsrv', ); - $options['portability'] = $options['portability'] - MDB2_PORTABILITY_EMPTY_TO_NULL; break; default: return false; } + try { + self::$DOCTRINE = \Doctrine\DBAL\DriverManager::getConnection($connectionParams, $config); + } catch(\Doctrine\DBAL\DBALException $e) { + OC_Log::write('core', $e->getMessage(), OC_Log::FATAL); + OC_User::setUserId(null); - // Try to establish connection - self::$MDB2 = MDB2::factory( $dsn, $options ); - - self::raiseExceptionOnError( self::$MDB2 ); - - // We always, really always want associative arrays - self::$MDB2->setFetchMode(MDB2_FETCHMODE_ASSOC); + // send http status 503 + header('HTTP/1.1 503 Service Temporarily Unavailable'); + header('Status: 503 Service Temporarily Unavailable'); + OC_Template::printErrorPage('Failed to connect to database'); + die(); + } } - - // we are done. great! return true; } @@ -306,34 +200,19 @@ class OC_DB { * @param int $limit * @param int $offset * @param bool $isManipulation - * @return MDB2_Statement_Common prepared SQL query + * @throws DatabaseException + * @return \Doctrine\DBAL\Statement prepared SQL query * - * SQL query via MDB2 prepare(), needs to be execute()'d! + * SQL query via Doctrine prepare(), needs to be execute()'d! */ static public function prepare( $query , $limit = null, $offset = null, $isManipulation = null) { if (!is_null($limit) && $limit != -1) { - if (self::$backend == self::BACKEND_MDB2) { - //MDB2 uses or emulates limits & offset internally - self::$MDB2->setLimit($limit, $offset); - } else { - //PDO does not handle limit and offset. - //FIXME: check limit notation for other dbs - //the following sql thus might needs to take into account db ways of representing it - //(oracle has no LIMIT / OFFSET) - $limit = (int)$limit; - $limitsql = ' LIMIT ' . $limit; - if (!is_null($offset)) { - $offset = (int)$offset; - $limitsql .= ' OFFSET ' . $offset; - } - //insert limitsql - if (substr($query, -1) == ';') { //if query ends with ; - $query = substr($query, 0, -1) . $limitsql . ';'; - } else { - $query.=$limitsql; - } + if ($limit === -1) { + $limit = null; } + $platform = self::$connection->getDatabasePlatform(); + $query = $platform->modifyLimitQuery($query, $limit, $offset); } else { if (isset(self::$preparedQueries[$query]) and self::$cachingEnabled) { return self::$preparedQueries[$query]; @@ -354,26 +233,14 @@ class OC_DB { } // return the result - if(self::$backend==self::BACKEND_MDB2) { - // differentiate between query and manipulation - if ($isManipulation) { - $result = self::$connection->prepare( $query, null, MDB2_PREPARE_MANIP ); - } else { - $result = self::$connection->prepare( $query, null, MDB2_PREPARE_RESULT ); - } - - // Die if we have an error (error means: bad query, not 0 results!) - if( self::isError($result)) { - throw new DatabaseException($result->getMessage(), $query); - } - }else{ - try{ + if (self::$backend == self::BACKEND_DOCTRINE) { + try { $result=self::$connection->prepare($query); - }catch(PDOException $e) { - throw new DatabaseException($e->getMessage(), $query); + } catch(\Doctrine\DBAL\DBALException $e) { + throw new \DatabaseException($e->getMessage(), $query); } // differentiate between query and manipulation - $result = new PDOStatementWrapper($result, $isManipulation); + $result=new OC_DB_StatementWrapper($result, $isManipulation); } if ((is_null($limit) || $limit == -1) and self::$cachingEnabled ) { $type = OC_Config::getValue( "dbtype", "sqlite" ); @@ -412,7 +279,7 @@ class OC_DB { /** * @brief execute a prepared statement, on error write log and throw exception - * @param mixed $stmt PDOStatementWrapper | MDB2_Statement_Common , + * @param mixed $stmt OC_DB_StatementWrapper, * an array with 'sql' and optionally 'limit' and 'offset' keys * .. or a simple sql query string * @param array $parameters @@ -445,7 +312,7 @@ class OC_DB { $stmt = self::prepare($stmt['sql'], $stmt['limit'], $stmt['offset']); } self::raiseExceptionOnError($stmt, 'Could not prepare statement'); - if ($stmt instanceof PDOStatementWrapper || $stmt instanceof MDB2_Statement_Common) { + if ($stmt instanceof OC_DB_StatementWrapper) { $result = $stmt->execute($parameters); self::raiseExceptionOnError($result, 'Could not execute statement'); } else { @@ -465,7 +332,7 @@ class OC_DB { * @return int id * @throws DatabaseException * - * MDB2 lastInsertID() + * \Doctrine\DBAL\Connection lastInsertId * * Call this method right after the insert command or other functions may * cause trouble! @@ -478,12 +345,20 @@ class OC_DB { $row = $result->fetchRow(); self::raiseExceptionOnError($row, 'fetching row for insertid failed'); return $row['id']; - } else if( $type === 'mssql' || $type === 'oci') { + } else if( $type === 'mssql') { if($table !== null) { $prefix = OC_Config::getValue( "dbtableprefix", "oc_" ); $table = str_replace( '*PREFIX*', $prefix, $table ); } - $result = self::$connection->lastInsertId($table); + return self::$connection->lastInsertId($table); + } + if( $type === 'oci' ) { + if($table !== null) { + $prefix = OC_Config::getValue( "dbtableprefix", "oc_" ); + $suffix = '_SEQ'; + $table = '"'.str_replace( '*PREFIX*', $prefix, $table ).$suffix.'"'; + } + return self::$connection->lastInsertId($table); } else { if($table !== null) { $prefix = OC_Config::getValue( "dbtableprefix", "oc_" ); @@ -505,18 +380,14 @@ class OC_DB { public static function disconnect() { // Cut connection if required if(self::$connection) { - if(self::$backend==self::BACKEND_MDB2) { - self::$connection->disconnect(); - } self::$connection=false; - self::$MDB2=false; - self::$PDO=false; + self::$DOCTRINE=false; } return true; } - /** + /** else { * @brief saves database scheme to xml file * @param string $file name of file * @param int $mode @@ -525,18 +396,8 @@ class OC_DB { * TODO: write more documentation */ public static function getDbStructure( $file, $mode=MDB2_SCHEMA_DUMP_STRUCTURE) { - self::connectScheme(); - - // write the scheme - $definition = self::$schema->getDefinitionFromDatabase(); - $dump_options = array( - 'output_mode' => 'file', - 'output' => $file, - 'end_of_line' => "\n" - ); - self::$schema->dumpDatabase( $definition, $dump_options, $mode ); - - return true; + self::connectDoctrine(); + return OC_DB_Schema::getDbStructure(self::$DOCTRINE, $file); } /** @@ -547,141 +408,32 @@ class OC_DB { * TODO: write more documentation */ public static function createDbFromStructure( $file ) { - $CONFIG_DBNAME = OC_Config::getValue( "dbname", "owncloud" ); - $CONFIG_DBTABLEPREFIX = OC_Config::getValue( "dbtableprefix", "oc_" ); - $CONFIG_DBTYPE = OC_Config::getValue( "dbtype", "sqlite" ); - - // cleanup the cached queries - self::$preparedQueries = array(); - - self::connectScheme(); - - // read file - $content = file_get_contents( $file ); - - // Make changes and save them to an in-memory file - $file2 = 'static://db_scheme'; - $content = str_replace( '*dbname*', $CONFIG_DBNAME, $content ); - $content = str_replace( '*dbprefix*', $CONFIG_DBTABLEPREFIX, $content ); - /* FIXME: use CURRENT_TIMESTAMP for all databases. mysql supports it as a default for DATETIME since 5.6.5 [1] - * as a fallback we could use 0000-01-01 00:00:00 everywhere - * [1] http://bugs.mysql.com/bug.php?id=27645 - * http://dev.mysql.com/doc/refman/5.0/en/timestamp-initialization.html - * http://www.postgresql.org/docs/8.1/static/functions-datetime.html - * http://www.sqlite.org/lang_createtable.html - * http://docs.oracle.com/cd/B19306_01/server.102/b14200/functions037.htm - */ - if( $CONFIG_DBTYPE == 'pgsql' ) { //mysql support it too but sqlite doesn't - $content = str_replace( '0000-00-00 00:00:00', - 'CURRENT_TIMESTAMP', $content ); - } - - file_put_contents( $file2, $content ); - - // Try to create tables - $definition = self::$schema->parseDatabaseDefinitionFile( $file2 ); - - //clean up memory - unlink( $file2 ); - - self::raiseExceptionOnError($definition,'Failed to parse the database definition'); - - if(OC_Config::getValue('dbtype', 'sqlite')==='oci') { - unset($definition['charset']); //or MDB2 tries SHUTDOWN IMMEDIATE - $oldname = $definition['name']; - $definition['name']=OC_Config::getValue( "dbuser", $oldname ); - } - - // we should never drop a database - $definition['overwrite'] = false; - - $ret=self::$schema->createDatabase( $definition ); - - self::raiseExceptionOnError($ret,'Failed to create the database structure'); - - return true; + self::connectDoctrine(); + return OC_DB_Schema::createDbFromStructure(self::$DOCTRINE, $file); } /** * @brief update the database scheme * @param string $file file to read structure from + * @throws Exception * @return bool */ public static function updateDbFromStructure($file) { - $CONFIG_DBTABLEPREFIX = OC_Config::getValue( "dbtableprefix", "oc_" ); - $CONFIG_DBTYPE = OC_Config::getValue( "dbtype", "sqlite" ); - - self::connectScheme(); - - if(OC_Config::getValue('dbtype', 'sqlite')==='oci') { - //set dbname, it is unset because oci uses 'service' to connect - self::$schema->db->database_name=self::$schema->db->dsn['username']; + self::connectDoctrine(); + try { + $result = OC_DB_Schema::updateDbFromStructure(self::$DOCTRINE, $file); + } catch (Exception $e) { + OC_Log::write('core', 'Failed to update database structure ('.$e.')', OC_Log::FATAL); + throw $e; } - - // read file - $content = file_get_contents( $file ); - - $previousSchema = self::$schema->getDefinitionFromDatabase(); - self::raiseExceptionOnError($previousSchema,'Failed to get existing database structure for updating'); - - // Make changes and save them to an in-memory file - $file2 = 'static://db_scheme'; - $content = str_replace( '*dbname*', $previousSchema['name'], $content ); - $content = str_replace( '*dbprefix*', $CONFIG_DBTABLEPREFIX, $content ); - /* FIXME: use CURRENT_TIMESTAMP for all databases. mysql supports it as a default for DATETIME since 5.6.5 [1] - * as a fallback we could use 0000-01-01 00:00:00 everywhere - * [1] http://bugs.mysql.com/bug.php?id=27645 - * http://dev.mysql.com/doc/refman/5.0/en/timestamp-initialization.html - * http://www.postgresql.org/docs/8.1/static/functions-datetime.html - * http://www.sqlite.org/lang_createtable.html - * http://docs.oracle.com/cd/B19306_01/server.102/b14200/functions037.htm - */ - if( $CONFIG_DBTYPE == 'pgsql' ) { //mysql support it too but sqlite doesn't - $content = str_replace( '0000-00-00 00:00:00', - 'CURRENT_TIMESTAMP', $content ); - } - if(OC_Config::getValue('dbtype', 'sqlite')==='oci') { - unset($previousSchema['charset']); //or MDB2 tries SHUTDOWN IMMEDIATE - $oldname = $previousSchema['name']; - $previousSchema['name']=OC_Config::getValue( "dbuser", $oldname ); - //TODO check identifiers are at most 30 chars long - } - file_put_contents( $file2, $content ); - $op = self::$schema->updateDatabase($file2, $previousSchema, array(), false); - - //clean up memory - unlink( $file2 ); - - self::raiseExceptionOnError($op,'Failed to update database structure'); - return true; - } - - /** - * @brief connects to a MDB2 database scheme - * @returns bool - * - * Connects to a MDB2 database scheme - */ - private static function connectScheme() { - // We need a mdb2 database connection - self::connectMDB2(); - self::$MDB2->loadModule('Manager'); - self::$MDB2->loadModule('Reverse'); - - // Connect if this did not happen before - if(!self::$schema) { - require_once 'MDB2/Schema.php'; - self::$schema=MDB2_Schema::factory(self::$MDB2); - } - - return true; + return $result; } /** * @brief Insert a row if a matching row doesn't exists. * @param string $table. The table to insert into in the form '*PREFIX*tableName' * @param array $input. An array of fieldname/value pairs - * @returns The return value from PDOStatementWrapper->execute() + * @returns int number of updated rows */ public static function insertIfNotExist($table, $input) { self::connect(); @@ -715,7 +467,7 @@ class OC_DB { . implode('`,`', array_keys($input)) . '`) VALUES(' . str_repeat('?,', count($input)-1).'? ' . ')'; } else { - return true; + return 0; //no rows updated } } elseif( $type == 'pgsql' || $type == 'oci' || $type == 'mysql' || $type == 'mssql') { $query = 'INSERT INTO `' .$table . '` (`' @@ -733,12 +485,9 @@ class OC_DB { try { $result = self::executeAudited($query, $inserts); - } catch(PDOException $e) { + } catch(\Doctrine\DBAL\DBALException $e) { OC_Template::printExceptionErrorPage( $e ); } - if ($result === 0) { - return true; - } return $result; } @@ -768,20 +517,20 @@ class OC_DB { $query = str_replace( '`', '"', $query ); $query = str_ireplace( 'NOW()', 'datetime(\'now\')', $query ); $query = str_ireplace( 'UNIX_TIMESTAMP()', 'strftime(\'%s\',\'now\')', $query ); - }elseif( $type == 'pgsql' ) { + } elseif( $type == 'pgsql' ) { $query = str_replace( '`', '"', $query ); $query = str_ireplace( 'UNIX_TIMESTAMP()', 'cast(extract(epoch from current_timestamp) as integer)', $query ); - }elseif( $type == 'oci' ) { + } elseif( $type == 'oci' ) { $query = str_replace( '`', '"', $query ); $query = str_ireplace( 'NOW()', 'CURRENT_TIMESTAMP', $query ); - $query = str_ireplace( 'UNIX_TIMESTAMP()', '((CAST(SYS_EXTRACT_UTC(systimestamp) AS DATE))-TO_DATE(\'1970101000000\',\'YYYYMMDDHH24MiSS\'))*24*3600', $query ); + $query = str_ireplace( 'UNIX_TIMESTAMP()', "(cast(sys_extract_utc(systimestamp) as date) - date'1970-01-01') * 86400", $query ); }elseif( $type == 'mssql' ) { $query = preg_replace( "/\`(.*?)`/", "[$1]", $query ); - $query = str_replace( 'NOW()', 'CURRENT_TIMESTAMP', $query ); - $query = str_replace( 'now()', 'CURRENT_TIMESTAMP', $query ); + $query = str_ireplace( 'NOW()', 'CURRENT_TIMESTAMP', $query ); $query = str_replace( 'LENGTH(', 'LEN(', $query ); $query = str_replace( 'SUBSTR(', 'SUBSTRING(', $query ); + $query = str_ireplace( 'UNIX_TIMESTAMP()', 'DATEDIFF(second,{d \'1970-01-01\'},GETDATE())', $query ); $query = self::fixLimitClauseForMSSQL($query); } @@ -851,9 +600,8 @@ class OC_DB { * @param string $tableName the table to drop */ public static function dropTable($tableName) { - self::connectMDB2(); - self::$MDB2->loadModule('Manager'); - self::$MDB2->dropTable($tableName); + self::connectDoctrine(); + OC_DB_Schema::dropTable(self::$DOCTRINE, $tableName); } /** @@ -861,50 +609,17 @@ class OC_DB { * @param string $file the xml file describing the tables */ public static function removeDBStructure($file) { - $CONFIG_DBNAME = OC_Config::getValue( "dbname", "owncloud" ); - $CONFIG_DBTABLEPREFIX = OC_Config::getValue( "dbtableprefix", "oc_" ); - self::connectScheme(); - - // read file - $content = file_get_contents( $file ); - - // Make changes and save them to a temporary file - $file2 = tempnam( get_temp_dir(), 'oc_db_scheme_' ); - $content = str_replace( '*dbname*', $CONFIG_DBNAME, $content ); - $content = str_replace( '*dbprefix*', $CONFIG_DBTABLEPREFIX, $content ); - file_put_contents( $file2, $content ); - - // get the tables - $definition = self::$schema->parseDatabaseDefinitionFile( $file2 ); - - // Delete our temporary file - unlink( $file2 ); - $tables=array_keys($definition['tables']); - foreach($tables as $table) { - self::dropTable($table); - } + self::connectDoctrine(); + OC_DB_Schema::removeDBStructure(self::$DOCTRINE, $file); } /** - * @brief replaces the owncloud tables with a new set + * @brief replaces the ownCloud tables with a new set * @param $file string path to the MDB2 xml db export file */ public static function replaceDB( $file ) { - $apps = OC_App::getAllApps(); - self::beginTransaction(); - // Delete the old tables - self::removeDBStructure( OC::$SERVERROOT . '/db_structure.xml' ); - - foreach($apps as $app) { - $path = OC_App::getAppPath($app).'/appinfo/database.xml'; - if(file_exists($path)) { - self::removeDBStructure( $path ); - } - } - - // Create new tables - self::createDBFromStructure( $file ); - self::commit(); + self::connectDoctrine(); + OC_DB_Schema::replaceDB(self::$DOCTRINE, $file); } /** @@ -913,9 +628,6 @@ class OC_DB { */ public static function beginTransaction() { self::connect(); - if (self::$backend==self::BACKEND_MDB2 && !self::$connection->supports('transactions')) { - return false; - } self::$connection->beginTransaction(); self::$inTransaction=true; return true; @@ -936,24 +648,16 @@ class OC_DB { } /** - * check if a result is an error, works with MDB2 and PDOException + * check if a result is an error, works with Doctrine * @param mixed $result * @return bool */ public static function isError($result) { - //MDB2 returns an MDB2_Error object - if (class_exists('PEAR') === true && PEAR::isError($result)) { - return true; - } - //PDO returns false on error (and throws an exception) - if (self::$backend===self::BACKEND_PDO and $result === false) { - return true; - } - - return false; + //Doctrine returns false on error (and throws an exception) + return $result === false; } /** - * check if a result is an error and throws an exception, works with MDB2 and PDOException + * check if a result is an error and throws an exception, works with \Doctrine\DBAL\DBALException * @param mixed $result * @param string $message * @return void @@ -971,32 +675,19 @@ class OC_DB { } public static function getErrorCode($error) { - if ( class_exists('PEAR') === true && PEAR::isError($error) ) { - /** @var $error PEAR_Error */ - return $error->getCode(); - } - if ( self::$backend==self::BACKEND_PDO and self::$PDO ) { - return self::$PDO->errorCode(); - } - - return -1; + $code = self::$connection->errorCode(); + return $code; } /** * returns the error code and message as a string for logging - * works with MDB2 and PDOException + * works with DoctrineException * @param mixed $error * @return string */ public static function getErrorMessage($error) { - if ( class_exists('PEAR') === true && PEAR::isError($error) ) { - $msg = $error->getCode() . ': ' . $error->getMessage(); - $msg .= ' (' . $error->getDebugInfo() . ')'; - - return $msg; - } - if (self::$backend==self::BACKEND_PDO and self::$PDO) { - $msg = self::$PDO->errorCode() . ': '; - $errorInfo = self::$PDO->errorInfo(); + if (self::$backend==self::BACKEND_DOCTRINE and self::$DOCTRINE) { + $msg = self::$DOCTRINE->errorCode() . ': '; + $errorInfo = self::$DOCTRINE->errorInfo(); if (is_array($errorInfo)) { $msg .= 'SQLSTATE = '.$errorInfo[0] . ', '; $msg .= 'Driver Code = '.$errorInfo[1] . ', '; @@ -1018,180 +709,3 @@ class OC_DB { self::$cachingEnabled = $enabled; } } - -/** - * small wrapper around PDOStatement to make it behave ,more like an MDB2 Statement - */ -class PDOStatementWrapper{ - /** - * @var PDOStatement - */ - private $statement = null; - private $isManipulation = false; - private $lastArguments = array(); - - public function __construct($statement, $isManipulation = false) { - $this->statement = $statement; - $this->isManipulation = $isManipulation; - } - - /** - * make execute return the result instead of a bool - */ - public function execute($input=array()) { - if(OC_Config::getValue( "log_query", false)) { - $params_str = str_replace("\n"," ",var_export($input,true)); - OC_Log::write('core', 'DB execute with arguments : '.$params_str, OC_Log::DEBUG); - } - $this->lastArguments = $input; - if (count($input) > 0) { - - if (!isset($type)) { - $type = OC_Config::getValue( "dbtype", "sqlite" ); - } - - if ($type == 'mssql') { - $input = $this->tryFixSubstringLastArgumentDataForMSSQL($input); - } - - $result = $this->statement->execute($input); - } else { - $result = $this->statement->execute(); - } - - if ($result === false) { - return false; - } - if ($this->isManipulation) { - return $this->statement->rowCount(); - } else { - return $this; - } - } - - private function tryFixSubstringLastArgumentDataForMSSQL($input) { - $query = $this->statement->queryString; - $pos = stripos ($query, 'SUBSTRING'); - - if ( $pos === false) { - return; - } - - try { - $newQuery = ''; - - $cArg = 0; - - $inSubstring = false; - - // Create new query - for ($i = 0; $i < strlen ($query); $i++) { - if ($inSubstring == false) { - // Defines when we should start inserting values - if (substr ($query, $i, 9) == 'SUBSTRING') { - $inSubstring = true; - } - } else { - // Defines when we should stop inserting values - if (substr ($query, $i, 1) == ')') { - $inSubstring = false; - } - } - - if (substr ($query, $i, 1) == '?') { - // We found a question mark - if ($inSubstring) { - $newQuery .= $input[$cArg]; - - // - // Remove from input array - // - array_splice ($input, $cArg, 1); - } else { - $newQuery .= substr ($query, $i, 1); - $cArg++; - } - } else { - $newQuery .= substr ($query, $i, 1); - } - } - - // The global data we need - $name = OC_Config::getValue( "dbname", "owncloud" ); - $host = OC_Config::getValue( "dbhost", "" ); - $user = OC_Config::getValue( "dbuser", "" ); - $pass = OC_Config::getValue( "dbpassword", "" ); - if (strpos($host,':')) { - list($host, $port) = explode(':', $host, 2); - } else { - $port = false; - } - $opts = array(); - - if ($port) { - $dsn = 'sqlsrv:Server='.$host.','.$port.';Database='.$name; - } else { - $dsn = 'sqlsrv:Server='.$host.';Database='.$name; - } - - $PDO = new PDO($dsn, $user, $pass, $opts); - $PDO->setAttribute(PDO::ATTR_DEFAULT_FETCH_MODE, PDO::FETCH_ASSOC); - $PDO->setAttribute(PDO::ATTR_ERRMODE, PDO::ERRMODE_EXCEPTION); - - $this->statement = $PDO->prepare($newQuery); - - $this->lastArguments = $input; - - return $input; - } catch (PDOException $e){ - $entry = 'PDO DB Error: "'.$e->getMessage().'"
    '; - $entry .= 'Offending command was: '.$this->statement->queryString .'
    '; - $entry .= 'Input parameters: ' .print_r($input, true).'
    '; - $entry .= 'Stack trace: ' .$e->getTraceAsString().'
    '; - OC_Log::write('core', $entry, OC_Log::FATAL); - OC_User::setUserId(null); - - // send http status 503 - header('HTTP/1.1 503 Service Temporarily Unavailable'); - header('Status: 503 Service Temporarily Unavailable'); - OC_Template::printErrorPage('Failed to connect to database'); - die ($entry); - } - } - - /** - * provide numRows - */ - public function numRows() { - $regex = '/^SELECT\s+(?:ALL\s+|DISTINCT\s+)?(?:.*?)\s+FROM\s+(.*)$/i'; - if (preg_match($regex, $this->statement->queryString, $output) > 0) { - $query = OC_DB::prepare("SELECT COUNT(*) FROM {$output[1]}"); - return $query->execute($this->lastArguments)->fetchColumn(); - }else{ - return $this->statement->rowCount(); - } - } - - /** - * provide an alias for fetch - */ - public function fetchRow() { - return $this->statement->fetch(); - } - - /** - * pass all other function directly to the PDOStatement - */ - public function __call($name, $arguments) { - return call_user_func_array(array($this->statement, $name), $arguments); - } - - /** - * Provide a simple fetchOne. - * fetch single column from the next row - * @param int $colnum the column number to fetch - */ - public function fetchOne($colnum = 0) { - return $this->statement->fetchColumn($colnum); - } -} diff --git a/lib/db/mdb2schemareader.php b/lib/db/mdb2schemareader.php new file mode 100644 index 0000000000..0ead9528c9 --- /dev/null +++ b/lib/db/mdb2schemareader.php @@ -0,0 +1,241 @@ + + * This file is licensed under the Affero General Public License version 3 or + * later. + * See the COPYING-README file. + */ + +class OC_DB_MDB2SchemaReader { + static protected $DBNAME; + static protected $DBTABLEPREFIX; + static protected $platform; + + /** + * @param $file + * @param $platform + * @return \Doctrine\DBAL\Schema\Schema + * @throws DomainException + */ + public static function loadSchemaFromFile($file, $platform) { + self::$DBNAME = OC_Config::getValue( "dbname", "owncloud" ); + self::$DBTABLEPREFIX = OC_Config::getValue( "dbtableprefix", "oc_" ); + self::$platform = $platform; + $schema = new \Doctrine\DBAL\Schema\Schema(); + $xml = simplexml_load_file($file); + foreach($xml->children() as $child) { + switch($child->getName()) { + case 'name': + case 'create': + case 'overwrite': + case 'charset': + break; + case 'table': + self::loadTable($schema, $child); + break; + default: + throw new DomainException('Unknown element: '.$child->getName()); + + } + } + return $schema; + } + + /** + * @param\Doctrine\DBAL\Schema\Schema $schema + * @param $xml + * @throws DomainException + */ + private static function loadTable($schema, $xml) { + foreach($xml->children() as $child) { + switch($child->getName()) { + case 'name': + $name = (string)$child; + $name = str_replace( '*dbprefix*', self::$DBTABLEPREFIX, $name ); + $name = self::$platform->quoteIdentifier($name); + $table = $schema->createTable($name); + break; + case 'create': + case 'overwrite': + case 'charset': + break; + case 'declaration': + self::loadDeclaration($table, $child); + break; + default: + throw new DomainException('Unknown element: '.$child->getName()); + + } + } + } + + /** + * @param \Doctrine\DBAL\Schema\Table $table + * @param $xml + * @throws DomainException + */ + private static function loadDeclaration($table, $xml) { + foreach($xml->children() as $child) { + switch($child->getName()) { + case 'field': + self::loadField($table, $child); + break; + case 'index': + self::loadIndex($table, $child); + break; + default: + throw new DomainException('Unknown element: '.$child->getName()); + + } + } + } + + private static function loadField($table, $xml) { + $options = array(); + foreach($xml->children() as $child) { + switch($child->getName()) { + case 'name': + $name = (string)$child; + $name = self::$platform->quoteIdentifier($name); + break; + case 'type': + $type = (string)$child; + switch($type) { + case 'text': + $type = 'string'; + break; + case 'clob': + $type = 'text'; + break; + case 'timestamp': + $type = 'datetime'; + break; + // TODO + return; + } + break; + case 'length': + $length = (string)$child; + $options['length'] = $length; + break; + case 'unsigned': + $unsigned = self::asBool($child); + $options['unsigned'] = $unsigned; + break; + case 'notnull': + $notnull = self::asBool($child); + $options['notnull'] = $notnull; + break; + case 'autoincrement': + $autoincrement = self::asBool($child); + $options['autoincrement'] = $autoincrement; + break; + case 'default': + $default = (string)$child; + $options['default'] = $default; + break; + case 'comments': + $comment = (string)$child; + $options['comment'] = $comment; + break; + default: + throw new DomainException('Unknown element: '.$child->getName()); + + } + } + if (isset($name) && isset($type)) { + if (empty($options['default'])) { + if (empty($options['notnull']) || !$options['notnull']) { + unset($options['default']); + $options['notnull'] = false; + } else { + $options['default'] = ''; + } + if ($type == 'integer') { + $options['default'] = 0; + } + if (!empty($options['autoincrement']) && $options['autoincrement']) { + unset($options['default']); + } + } + if ($type == 'integer' && isset($options['length'])) { + $length = $options['length']; + if ($length < 4) { + $type = 'smallint'; + } + else if ($length > 4) { + $type = 'bigint'; + } + } + if (!empty($options['autoincrement']) + && !empty($options['notnull'])) { + $options['primary'] = true; + } + $table->addColumn($name, $type, $options); + if (!empty($options['primary']) && $options['primary']) { + $table->setPrimaryKey(array($name)); + } + } + } + + private static function loadIndex($table, $xml) { + $name = null; + $fields = array(); + foreach($xml->children() as $child) { + switch($child->getName()) { + case 'name': + $name = (string)$child; + break; + case 'primary': + $primary = self::asBool($child); + break; + case 'unique': + $unique = self::asBool($child); + break; + case 'field': + foreach($child->children() as $field) { + switch($field->getName()) { + case 'name': + $field_name = (string)$field; + $field_name = self::$platform->quoteIdentifier($field_name); + $fields[] = $field_name; + break; + case 'sorting': + break; + default: + throw new DomainException('Unknown element: '.$field->getName()); + + } + } + break; + default: + throw new DomainException('Unknown element: '.$child->getName()); + + } + } + if (!empty($fields)) { + if (isset($primary) && $primary) { + $table->setPrimaryKey($fields, $name); + } else + if (isset($unique) && $unique) { + $table->addUniqueIndex($fields, $name); + } else { + $table->addIndex($fields, $name); + } + } else { + throw new DomainException('Empty index definition: '.$name.' options:'. print_r($fields, true)); + } + } + + private static function asBool($xml) { + $result = (string)$xml; + if ($result == 'true') { + $result = true; + } else + if ($result == 'false') { + $result = false; + } + return (bool)$result; + } + +} diff --git a/lib/db/mdb2schemawriter.php b/lib/db/mdb2schemawriter.php new file mode 100644 index 0000000000..21b43cbfe8 --- /dev/null +++ b/lib/db/mdb2schemawriter.php @@ -0,0 +1,133 @@ + + * This file is licensed under the Affero General Public License version 3 or + * later. + * See the COPYING-README file. + */ + +class OC_DB_MDB2SchemaWriter { + + /** + * @param $file + * @param \Doctrine\DBAL\Schema\AbstractSchemaManager $sm + * @return bool + */ + static public function saveSchemaToFile($file, $sm) { + $xml = new SimpleXMLElement(''); + $xml->addChild('name', OC_Config::getValue( "dbname", "owncloud" )); + $xml->addChild('create', 'true'); + $xml->addChild('overwrite', 'false'); + $xml->addChild('charset', 'utf8'); + foreach ($sm->listTables() as $table) { + self::saveTable($table, $xml->addChild('table')); + } + file_put_contents($file, $xml->asXML()); + return true; + } + + private static function saveTable($table, $xml) { + $xml->addChild('name', $table->getName()); + $declaration = $xml->addChild('declaration'); + foreach($table->getColumns() as $column) { + self::saveColumn($column, $declaration->addChild('field')); + } + foreach($table->getIndexes() as $index) { + if ($index->getName() == 'PRIMARY') { + $autoincrement = false; + foreach($index->getColumns() as $column) { + if ($table->getColumn($column)->getAutoincrement()) { + $autoincrement = true; + } + } + if ($autoincrement) { + continue; + } + } + self::saveIndex($index, $declaration->addChild('index')); + } + } + + private static function saveColumn($column, $xml) { + $xml->addChild('name', $column->getName()); + switch($column->getType()) { + case 'SmallInt': + case 'Integer': + case 'BigInt': + $xml->addChild('type', 'integer'); + $default = $column->getDefault(); + if (is_null($default) && $column->getAutoincrement()) { + $default = '0'; + } + $xml->addChild('default', $default); + $xml->addChild('notnull', self::toBool($column->getNotnull())); + if ($column->getAutoincrement()) { + $xml->addChild('autoincrement', '1'); + } + if ($column->getUnsigned()) { + $xml->addChild('unsigned', 'true'); + } + $length = '4'; + if ($column->getType() == 'SmallInt') { + $length = '2'; + } + elseif ($column->getType() == 'BigInt') { + $length = '8'; + } + $xml->addChild('length', $length); + break; + case 'String': + $xml->addChild('type', 'text'); + $default = trim($column->getDefault()); + if ($default === '') { + $default = false; + } + $xml->addChild('default', $default); + $xml->addChild('notnull', self::toBool($column->getNotnull())); + $xml->addChild('length', $column->getLength()); + break; + case 'Text': + $xml->addChild('type', 'clob'); + $xml->addChild('notnull', self::toBool($column->getNotnull())); + break; + case 'Decimal': + $xml->addChild('type', 'decimal'); + $xml->addChild('default', $column->getDefault()); + $xml->addChild('notnull', self::toBool($column->getNotnull())); + $xml->addChild('length', '15'); + break; + case 'Boolean': + $xml->addChild('type', 'integer'); + $xml->addChild('default', $column->getDefault()); + $xml->addChild('notnull', self::toBool($column->getNotnull())); + $xml->addChild('length', '1'); + break; + case 'DateTime': + $xml->addChild('type', 'timestamp'); + $xml->addChild('default', $column->getDefault()); + $xml->addChild('notnull', self::toBool($column->getNotnull())); + break; + + } + } + + private static function saveIndex($index, $xml) { + $xml->addChild('name', $index->getName()); + if ($index->isPrimary()) { + $xml->addChild('primary', 'true'); + } + elseif ($index->isUnique()) { + $xml->addChild('unique', 'true'); + } + foreach($index->getColumns() as $column) { + $field = $xml->addChild('field'); + $field->addChild('name', $column); + $field->addChild('sorting', 'ascending'); + + } + } + + private static function toBool($bool) { + return $bool ? 'true' : 'false'; + } +} diff --git a/lib/db/schema.php b/lib/db/schema.php new file mode 100644 index 0000000000..fa053c64ef --- /dev/null +++ b/lib/db/schema.php @@ -0,0 +1,136 @@ + + * This file is licensed under the Affero General Public License version 3 or + * later. + * See the COPYING-README file. + */ + +class OC_DB_Schema { + /** + * @brief saves database scheme to xml file + * @param \Doctrine\DBAL\Connection $conn + * @param string $file name of file + * @param int|string $mode + * @return bool + * + * TODO: write more documentation + */ + public static function getDbStructure( $conn, $file, $mode=MDB2_SCHEMA_DUMP_STRUCTURE) { + $sm = $conn->getSchemaManager(); + + return OC_DB_MDB2SchemaWriter::saveSchemaToFile($file, $sm); + } + + /** + * @brief Creates tables from XML file + * @param string $file file to read structure from + * @return bool + * + * TODO: write more documentation + */ + public static function createDbFromStructure( $conn, $file ) { + $toSchema = OC_DB_MDB2SchemaReader::loadSchemaFromFile($file, $conn->getDatabasePlatform()); + return self::executeSchemaChange($conn, $toSchema); + } + + /** + * @brief update the database scheme + * @param string $file file to read structure from + * @return bool + */ + public static function updateDbFromStructure($conn, $file) { + $sm = $conn->getSchemaManager(); + $fromSchema = $sm->createSchema(); + + $toSchema = OC_DB_MDB2SchemaReader::loadSchemaFromFile($file, $conn->getDatabasePlatform()); + + // remove tables we don't know about + foreach($fromSchema->getTables() as $table) { + if (!$toSchema->hasTable($table->getName())) { + $fromSchema->dropTable($table->getName()); + } + } + // remove sequences we don't know about + foreach($fromSchema->getSequences() as $table) { + if (!$toSchema->hasSequence($table->getName())) { + $fromSchema->dropSequence($table->getName()); + } + } + + $comparator = new \Doctrine\DBAL\Schema\Comparator(); + $schemaDiff = $comparator->compare($fromSchema, $toSchema); + + $platform = $conn->getDatabasePlatform(); + $tables = $schemaDiff->newTables + $schemaDiff->changedTables + $schemaDiff->removedTables; + foreach($tables as $tableDiff) { + $tableDiff->name = $platform->quoteIdentifier($tableDiff->name); + } + + + //$from = $fromSchema->toSql($conn->getDatabasePlatform()); + //$to = $toSchema->toSql($conn->getDatabasePlatform()); + //echo($from[9]); + //echo '
    '; + //echo($to[9]); + //var_dump($from, $to); + return self::executeSchemaChange($conn, $schemaDiff); + } + + /** + * @brief drop a table + * @param string $tableName the table to drop + */ + public static function dropTable($conn, $tableName) { + $sm = $conn->getSchemaManager(); + $fromSchema = $sm->createSchema(); + $toSchema = clone $fromSchema; + $toSchema->dropTable($tableName); + $sql = $fromSchema->getMigrateToSql($toSchema, $conn->getDatabasePlatform()); + $conn->execute($sql); + } + + /** + * remove all tables defined in a database structure xml file + * @param string $file the xml file describing the tables + */ + public static function removeDBStructure($conn, $file) { + $fromSchema = OC_DB_MDB2SchemaReader::loadSchemaFromFile($file, $conn->getDatabasePlatform()); + $toSchema = clone $fromSchema; + foreach($toSchema->getTables() as $table) { + $toSchema->dropTable($table->getName()); + } + $comparator = new \Doctrine\DBAL\Schema\Comparator(); + $schemaDiff = $comparator->compare($fromSchema, $toSchema); + self::executeSchemaChange($conn, $schemaDiff); + } + + /** + * @brief replaces the ownCloud tables with a new set + * @param $file string path to the MDB2 xml db export file + */ + public static function replaceDB( $conn, $file ) { + $apps = OC_App::getAllApps(); + self::beginTransaction(); + // Delete the old tables + self::removeDBStructure( $conn, OC::$SERVERROOT . '/db_structure.xml' ); + + foreach($apps as $app) { + $path = OC_App::getAppPath($app).'/appinfo/database.xml'; + if(file_exists($path)) { + self::removeDBStructure( $conn, $path ); + } + } + + // Create new tables + self::commit(); + } + + private static function executeSchemaChange($conn, $schema) { + $conn->beginTransaction(); + foreach($schema->toSql($conn->getDatabasePlatform()) as $sql) { + $conn->query($sql); + } + $conn->commit(); + } +} diff --git a/lib/db/statementwrapper.php b/lib/db/statementwrapper.php new file mode 100644 index 0000000000..f7bc45e068 --- /dev/null +++ b/lib/db/statementwrapper.php @@ -0,0 +1,191 @@ + + * This file is licensed under the Affero General Public License version 3 or + * later. + * See the COPYING-README file. + */ + +/** + * small wrapper around \Doctrine\DBAL\Driver\Statement to make it behave, more like an MDB2 Statement + */ +class OC_DB_StatementWrapper { + /** + * @var \Doctrine\DBAL\Driver\Statement + */ + private $statement = null; + private $isManipulation = false; + private $lastArguments = array(); + + public function __construct($statement, $isManipulation) { + $this->statement = $statement; + $this->isManipulation = $isManipulation; + } + + /** + * pass all other function directly to the \Doctrine\DBAL\Driver\Statement + */ + public function __call($name,$arguments) { + return call_user_func_array(array($this->statement,$name), $arguments); + } + + /** + * provide numRows + */ + public function numRows() { + $type = OC_Config::getValue( "dbtype", "sqlite" ); + if ($type == 'oci') { + // OCI doesn't have a queryString, just do a rowCount for now + return $this->statement->rowCount(); + } + $regex = '/^SELECT\s+(?:ALL\s+|DISTINCT\s+)?(?:.*?)\s+FROM\s+(.*)$/i'; + $queryString = $this->statement->getWrappedStatement()->queryString; + if (preg_match($regex, $queryString, $output) > 0) { + $query = OC_DB::prepare("SELECT COUNT(*) FROM {$output[1]}"); + return $query->execute($this->lastArguments)->fetchColumn(); + }else{ + return $this->statement->rowCount(); + } + } + + /** + * make execute return the result instead of a bool + */ + public function execute($input=array()) { + if(OC_Config::getValue( "log_query", false)) { + $params_str = str_replace("\n"," ",var_export($input,true)); + OC_Log::write('core', 'DB execute with arguments : '.$params_str, OC_Log::DEBUG); + } + $this->lastArguments = $input; + if (count($input) > 0) { + + if (!isset($type)) { + $type = OC_Config::getValue( "dbtype", "sqlite" ); + } + + if ($type == 'mssql') { + $input = $this->tryFixSubstringLastArgumentDataForMSSQL($input); + } + + $result = $this->statement->execute($input); + } else { + $result = $this->statement->execute(); + } + + if ($result === false) { + return false; + } + if ($this->isManipulation) { + return $this->statement->rowCount(); + } else { + return $this; + } + } + + private function tryFixSubstringLastArgumentDataForMSSQL($input) { + $query = $this->statement->getWrappedStatement()->queryString; + $pos = stripos ($query, 'SUBSTRING'); + + if ( $pos === false) { + return $input; + } + + try { + $newQuery = ''; + + $cArg = 0; + + $inSubstring = false; + + // Create new query + for ($i = 0; $i < strlen ($query); $i++) { + if ($inSubstring == false) { + // Defines when we should start inserting values + if (substr ($query, $i, 9) == 'SUBSTRING') { + $inSubstring = true; + } + } else { + // Defines when we should stop inserting values + if (substr ($query, $i, 1) == ')') { + $inSubstring = false; + } + } + + if (substr ($query, $i, 1) == '?') { + // We found a question mark + if ($inSubstring) { + $newQuery .= $input[$cArg]; + + // + // Remove from input array + // + array_splice ($input, $cArg, 1); + } else { + $newQuery .= substr ($query, $i, 1); + $cArg++; + } + } else { + $newQuery .= substr ($query, $i, 1); + } + } + + // The global data we need + $name = OC_Config::getValue( "dbname", "owncloud" ); + $host = OC_Config::getValue( "dbhost", "" ); + $user = OC_Config::getValue( "dbuser", "" ); + $pass = OC_Config::getValue( "dbpassword", "" ); + if (strpos($host,':')) { + list($host, $port) = explode(':', $host, 2); + } else { + $port = false; + } + $opts = array(); + + if ($port) { + $dsn = 'sqlsrv:Server='.$host.','.$port.';Database='.$name; + } else { + $dsn = 'sqlsrv:Server='.$host.';Database='.$name; + } + + $PDO = new PDO($dsn, $user, $pass, $opts); + $PDO->setAttribute(PDO::ATTR_DEFAULT_FETCH_MODE, PDO::FETCH_ASSOC); + $PDO->setAttribute(PDO::ATTR_ERRMODE, PDO::ERRMODE_EXCEPTION); + + $this->statement = $PDO->prepare($newQuery); + + $this->lastArguments = $input; + + return $input; + } catch (PDOException $e){ + $entry = 'PDO DB Error: "'.$e->getMessage().'"
    '; + $entry .= 'Offending command was: '.$this->statement->queryString .'
    '; + $entry .= 'Input parameters: ' .print_r($input, true).'
    '; + $entry .= 'Stack trace: ' .$e->getTraceAsString().'
    '; + OC_Log::write('core', $entry, OC_Log::FATAL); + OC_User::setUserId(null); + + // send http status 503 + header('HTTP/1.1 503 Service Temporarily Unavailable'); + header('Status: 503 Service Temporarily Unavailable'); + OC_Template::printErrorPage('Failed to connect to database'); + die ($entry); + } + } + + /** + * provide an alias for fetch + */ + public function fetchRow() { + return $this->statement->fetch(); + } + + /** + * Provide a simple fetchOne. + * fetch single column from the next row + * @param int $colnum the column number to fetch + * @return string + */ + public function fetchOne($colnum = 0) { + return $this->statement->fetchColumn($colnum); + } +} diff --git a/lib/defaults.php b/lib/defaults.php index 196bb5cf14..10813a3e8d 100644 --- a/lib/defaults.php +++ b/lib/defaults.php @@ -16,6 +16,7 @@ class OC_Defaults { private $defaultEntity; private $defaultName; + private $defaultTitle; private $defaultBaseUrl; private $defaultSyncClientUrl; private $defaultDocBaseUrl; @@ -25,8 +26,9 @@ class OC_Defaults { function __construct() { $l = OC_L10N::get('core'); - $this->defaultEntity = "ownCloud"; - $this->defaultName = "ownCloud"; + $this->defaultEntity = "ownCloud"; /* e.g. company name, used for footers and copyright notices */ + $this->defaultName = "ownCloud"; /* short name, used when referring to the software */ + $this->defaultTitle = "ownCloud"; /* can be a longer name, for titles */ $this->defaultBaseUrl = "http://owncloud.org"; $this->defaultSyncClientUrl = " http://owncloud.org/sync-clients/"; $this->defaultDocBaseUrl = "http://doc.owncloud.org"; @@ -69,6 +71,14 @@ class OC_Defaults { } } + public function getTitle() { + if ($this->themeExist('getTitle')) { + return $this->theme->getTitle(); + } else { + return $this->defaultTitle; + } + } + public function getName() { if ($this->themeExist('getName')) { return $this->theme->getName(); diff --git a/lib/eventsource.php b/lib/eventsource.php index 63f1979252..a83084d925 100644 --- a/lib/eventsource.php +++ b/lib/eventsource.php @@ -25,7 +25,7 @@ * wrapper for server side events (http://en.wikipedia.org/wiki/Server-sent_events) * includes a fallback for older browsers and IE * - * use server side events with causion, to many open requests can hang the server + * use server side events with caution, to many open requests can hang the server */ class OC_EventSource{ private $fallback; @@ -43,6 +43,7 @@ class OC_EventSource{ header("Content-Type: text/event-stream"); } if( !OC_Util::isCallRegistered()) { + $this->send('error', 'Possible CSRF attack. Connection will be closed.'); exit(); } flush(); @@ -51,10 +52,10 @@ class OC_EventSource{ /** * send a message to the client - * @param string type - * @param object data + * @param string $type + * @param mixed $data * - * if only one paramater is given, a typeless message will be send with that paramater as data + * if only one parameter is given, a typeless message will be send with that parameter as data */ public function send($type, $data=null) { if(is_null($data)) { diff --git a/lib/files.php b/lib/files.php index abb1617c25..c705d2adb1 100644 --- a/lib/files.php +++ b/lib/files.php @@ -46,6 +46,7 @@ class OC_Files { public static function get($dir, $files, $only_header = false) { $xsendfile = false; if (isset($_SERVER['MOD_X_SENDFILE_ENABLED']) || + isset($_SERVER['MOD_X_SENDFILE2_ENABLED']) || isset($_SERVER['MOD_X_ACCEL_REDIRECT_ENABLED'])) { $xsendfile = true; } @@ -61,7 +62,8 @@ class OC_Files { $zip = new ZipArchive(); $filename = OC_Helper::tmpFile('.zip'); if ($zip->open($filename, ZIPARCHIVE::CREATE | ZIPARCHIVE::OVERWRITE)!==true) { - exit("cannot open <$filename>\n"); + $l = OC_L10N::get('lib'); + throw new Exception($l->t('cannot open "%s"', array($filename))); } foreach ($files as $file) { $file = $dir . '/' . $file; @@ -92,7 +94,8 @@ class OC_Files { $zip = new ZipArchive(); $filename = OC_Helper::tmpFile('.zip'); if ($zip->open($filename, ZIPARCHIVE::CREATE | ZIPARCHIVE::OVERWRITE)!==true) { - exit("cannot open <$filename>\n"); + $l = OC_L10N::get('lib'); + throw new Exception($l->t('cannot open "%s"', array($filename))); } $file = $dir . '/' . $files; self::zipAddDir($file, $zip); @@ -170,7 +173,22 @@ class OC_Files { private static function addSendfileHeader($filename) { if (isset($_SERVER['MOD_X_SENDFILE_ENABLED'])) { header("X-Sendfile: " . $filename); + } + if (isset($_SERVER['MOD_X_SENDFILE2_ENABLED'])) { + if (isset($_SERVER['HTTP_RANGE']) && + preg_match("/^bytes=([0-9]+)-([0-9]*)$/", $_SERVER['HTTP_RANGE'], $range)) { + $filelength = filesize($filename); + if ($range[2] == "") { + $range[2] = $filelength - 1; + } + header("Content-Range: bytes $range[1]-$range[2]/" . $filelength); + header("HTTP/1.1 206 Partial content"); + header("X-Sendfile2: " . str_replace(",", "%2c", rawurlencode($filename)) . " $range[1]-$range[2]"); + } else { + header("X-Sendfile: " . $filename); + } } + if (isset($_SERVER['MOD_X_ACCEL_REDIRECT_ENABLED'])) { header("X-Accel-Redirect: " . $filename); } @@ -204,16 +222,11 @@ class OC_Files { if (!OC_Config::getValue('allowZipDownload', true)) { $l = OC_L10N::get('lib'); header("HTTP/1.0 409 Conflict"); - $tmpl = new OC_Template('', 'error', 'user'); - $errors = array( - array( - 'error' => $l->t('ZIP download is turned off.'), - 'hint' => $l->t('Files need to be downloaded one by one.') - . '
    ' . $l->t('Back to Files') . '', - ) + OC_Template::printErrorPage( + $l->t('ZIP download is turned off.'), + $l->t('Files need to be downloaded one by one.') + . '
    ' . $l->t('Back to Files') . '' ); - $tmpl->assign('errors', $errors); - $tmpl->printPage(); exit; } @@ -236,17 +249,12 @@ class OC_Files { if ($totalsize > $zipLimit) { $l = OC_L10N::get('lib'); header("HTTP/1.0 409 Conflict"); - $tmpl = new OC_Template('', 'error', 'user'); - $errors = array( - array( - 'error' => $l->t('Selected files too large to generate zip file.'), - 'hint' => 'Download the files in smaller chunks, seperately' - .' or kindly ask your administrator.
    ' - . $l->t('Back to Files') . '', - ) + OC_Template::printErrorPage( + $l->t('Selected files too large to generate zip file.'), + $l->t('Download the files in smaller chunks, seperately or kindly ask your administrator.') + .'
    ' + . $l->t('Back to Files') . '' ); - $tmpl->assign('errors', $errors); - $tmpl->printPage(); exit; } } diff --git a/lib/files/cache/scanner.php b/lib/files/cache/scanner.php index 9b94a24f48..bcd6032fca 100644 --- a/lib/files/cache/scanner.php +++ b/lib/files/cache/scanner.php @@ -9,8 +9,18 @@ namespace OC\Files\Cache; use OC\Files\Filesystem; +use OC\Hooks\BasicEmitter; -class Scanner { +/** + * Class Scanner + * + * Hooks available in scope \OC\Files\Cache\Scanner: + * - scanFile(string $path, string $storageId) + * - scanFolder(string $path, string $storageId) + * + * @package OC\Files\Cache + */ +class Scanner extends BasicEmitter { /** * @var \OC\Files\Storage\Storage $storage */ @@ -71,6 +81,7 @@ class Scanner { if (!self::isPartialFile($file) and !Filesystem::isFileBlacklisted($file) ) { + $this->emit('\OC\Files\Cache\Scanner', 'scanFile', array($file, $this->storageId)); \OC_Hook::emit('\OC\Files\Cache\Scanner', 'scan_file', array('path' => $file, 'storage' => $this->storageId)); $data = $this->getData($file); if ($data) { @@ -134,7 +145,7 @@ class Scanner { if ($reuse === -1) { $reuse = ($recursive === self::SCAN_SHALLOW) ? self::REUSE_ETAG | self::REUSE_SIZE : 0; } - \OC_Hook::emit('\OC\Files\Cache\Scanner', 'scan_folder', array('path' => $path, 'storage' => $this->storageId)); + $this->emit('\OC\Files\Cache\Scanner', 'scanFolder', array($path, $this->storageId)); $size = 0; $childQueue = array(); $existingChildren = array(); diff --git a/lib/files/cache/updater.php b/lib/files/cache/updater.php index 87c33a313a..1f30173a8f 100644 --- a/lib/files/cache/updater.php +++ b/lib/files/cache/updater.php @@ -26,7 +26,7 @@ class Updater { } /** - * preform a write update + * perform a write update * * @param string $path the relative path of the file */ @@ -46,7 +46,7 @@ class Updater { } /** - * preform a delete update + * perform a delete update * * @param string $path the relative path of the file */ diff --git a/lib/files/filesystem.php b/lib/files/filesystem.php index 3d7d5abf8f..d6ebe7d629 100644 --- a/lib/files/filesystem.php +++ b/lib/files/filesystem.php @@ -8,7 +8,7 @@ /** * Class for abstraction of filesystem functions - * This class won't call any filesystem functions for itself but but will pass them to the correct OC_Filestorage object + * This class won't call any filesystem functions for itself but will pass them to the correct OC_Filestorage object * this class should also handle all the file permission related stuff * * Hooks provided: @@ -148,13 +148,20 @@ class Filesystem { */ private static $loader; - public static function getLoader(){ + public static function getLoader() { if (!self::$loader) { self::$loader = new Loader(); } return self::$loader; } + public static function getMountManager() { + if (!self::$mounts) { + \OC_Util::setupFS(); + } + return self::$mounts; + } + /** * get the mountpoint of the storage object for a path * ( note: because a storage is not always mounted inside the fakeroot, the @@ -717,7 +724,7 @@ class Filesystem { /** * Get the path of a file by id * - * Note that the resulting path is not guarantied to be unique for the id, multiple paths can point to the same file + * Note that the resulting path is not guaranteed to be unique for the id, multiple paths can point to the same file * * @param int $id * @return string diff --git a/lib/files/utils/scanner.php b/lib/files/utils/scanner.php new file mode 100644 index 0000000000..800bb64993 --- /dev/null +++ b/lib/files/utils/scanner.php @@ -0,0 +1,89 @@ + + * This file is licensed under the Affero General Public License version 3 or + * later. + * See the COPYING-README file. + */ + +namespace OC\Files\Utils; + +use OC\Hooks\BasicEmitter; +use OC\Files\Filesystem; + +/** + * Class Scanner + * + * Hooks available in scope \OC\Utils\Scanner + * - scanFile(string $absolutePath) + * - scanFolder(string $absolutePath) + * + * @package OC\Files\Utils + */ +class Scanner extends BasicEmitter { + /** + * @var string $user + */ + private $user; + + /** + * @param string $user + */ + public function __construct($user) { + $this->user = $user; + } + + /** + * get all storages for $dir + * + * @param string $dir + * @return \OC\Files\Mount\Mount[] + */ + protected function getMounts($dir) { + //TODO: move to the node based fileapi once that's done + \OC_Util::tearDownFS(); + \OC_Util::setupFS($this->user); + $absolutePath = Filesystem::getView()->getAbsolutePath($dir); + + $mountManager = Filesystem::getMountManager(); + $mounts = $mountManager->findIn($absolutePath); + $mounts[] = $mountManager->find($absolutePath); + $mounts = array_reverse($mounts); //start with the mount of $dir + + return $mounts; + } + + /** + * attach listeners to the scanner + * + * @param \OC\Files\Mount\Mount $mount + */ + protected function attachListener($mount) { + $scanner = $mount->getStorage()->getScanner(); + $scanner->listen('\OC\Files\Cache\Scanner', 'scanFile', function ($path) use ($mount) { + $this->emit('\OC\Files\Utils\Scanner', 'scanFile', array($mount->getMountPoint() . $path)); + }); + $scanner->listen('\OC\Files\Cache\Scanner', 'scanFolder', function ($path) use ($mount) { + $this->emit('\OC\Files\Utils\Scanner', 'scanFolder', array($mount->getMountPoint() . $path)); + }); + } + + public function backgroundScan($dir) { + $mounts = $this->getMounts($dir); + foreach ($mounts as $mount) { + $scanner = $mount->getStorage()->getScanner(); + $this->attachListener($mount); + $scanner->backgroundScan(); + } + } + + public function scan($dir) { + $mounts = $this->getMounts($dir); + foreach ($mounts as $mount) { + $scanner = $mount->getStorage()->getScanner(); + $this->attachListener($mount); + $scanner->scan('', \OC\Files\Cache\Scanner::SCAN_RECURSIVE, \OC\Files\Cache\Scanner::REUSE_ETAG); + } + } +} + diff --git a/lib/group.php b/lib/group.php index d1a830730b..8fbf5f8641 100644 --- a/lib/group.php +++ b/lib/group.php @@ -34,28 +34,43 @@ * post_removeFromGroup(uid, gid) */ class OC_Group { - // The backend used for group management /** - * @var OC_Group_Interface[] + * @var \OC\Group\Manager $manager */ - private static $_usedBackends = array(); + private static $manager; + + /** + * @var \OC\User\Manager + */ + private static $userManager; + + /** + * @return \OC\Group\Manager + */ + public static function getManager() { + if (self::$manager) { + return self::$manager; + } + self::$userManager = \OC_User::getManager(); + self::$manager = new \OC\Group\Manager(self::$userManager); + return self::$manager; + } /** * @brief set the group backend - * @param string $backend The backend to use for user managment + * @param \OC_Group_Backend $backend The backend to use for user managment * @return bool */ - public static function useBackend( $backend ) { - if($backend instanceof OC_Group_Interface) { - self::$_usedBackends[]=$backend; - } + public static function useBackend($backend) { + self::getManager()->addBackend($backend); + return true; } /** * remove all used backends */ public static function clearBackends() { - self::$_usedBackends=array(); + self::getManager()->clearBackends(); } /** @@ -66,32 +81,13 @@ class OC_Group { * Tries to create a new group. If the group name already exists, false will * be returned. Basic checking of Group name */ - public static function createGroup( $gid ) { - // No empty group names! - if( !$gid ) { - return false; - } - // No duplicate group names - if( in_array( $gid, self::getGroups())) { - return false; - } + public static function createGroup($gid) { + OC_Hook::emit("OC_Group", "pre_createGroup", array("run" => true, "gid" => $gid)); - $run = true; - OC_Hook::emit( "OC_Group", "pre_createGroup", array( "run" => &$run, "gid" => $gid )); - - if($run) { - //create the group in the first backend that supports creating groups - foreach(self::$_usedBackends as $backend) { - if(!$backend->implementsActions(OC_GROUP_BACKEND_CREATE_GROUP)) - continue; - - $backend->createGroup($gid); - OC_Hook::emit( "OC_User", "post_createGroup", array( "gid" => $gid )); - - return true; - } - return false; - }else{ + if (self::getManager()->createGroup($gid)) { + OC_Hook::emit("OC_User", "post_createGroup", array("gid" => $gid)); + return true; + } else { return false; } } @@ -103,30 +99,22 @@ class OC_Group { * * Deletes a group and removes it from the group_user-table */ - public static function deleteGroup( $gid ) { + public static function deleteGroup($gid) { // Prevent users from deleting group admin - if( $gid == "admin" ) { + if ($gid == "admin") { return false; } - $run = true; - OC_Hook::emit( "OC_Group", "pre_deleteGroup", array( "run" => &$run, "gid" => $gid )); - - if($run) { - //delete the group from all backends - foreach(self::$_usedBackends as $backend) { - if(!$backend->implementsActions(OC_GROUP_BACKEND_DELETE_GROUP)) - continue; - - $backend->deleteGroup($gid); - OC_Hook::emit( "OC_User", "post_deleteGroup", array( "gid" => $gid )); + OC_Hook::emit("OC_Group", "pre_deleteGroup", array("run" => true, "gid" => $gid)); + $group = self::getManager()->get($gid); + if ($group) { + if ($group->delete()) { + OC_Hook::emit("OC_User", "post_deleteGroup", array("gid" => $gid)); return true; } - return false; - }else{ - return false; } + return false; } /** @@ -137,11 +125,11 @@ class OC_Group { * * Checks whether the user is member of a group or not. */ - public static function inGroup( $uid, $gid ) { - foreach(self::$_usedBackends as $backend) { - if($backend->inGroup($uid, $gid)) { - return true; - } + public static function inGroup($uid, $gid) { + $group = self::getManager()->get($gid); + $user = self::$userManager->get($uid); + if ($group and $user) { + return $group->inGroup($user); } return false; } @@ -154,33 +142,15 @@ class OC_Group { * * Adds a user to a group. */ - public static function addToGroup( $uid, $gid ) { - // Does the group exist? - if( !OC_Group::groupExists($gid)) { - return false; - } - - // Go go go - $run = true; - OC_Hook::emit( "OC_Group", "pre_addToGroup", array( "run" => &$run, "uid" => $uid, "gid" => $gid )); - - if($run) { - $success=false; - - //add the user to the all backends that have the group - foreach(self::$_usedBackends as $backend) { - if(!$backend->implementsActions(OC_GROUP_BACKEND_ADD_TO_GROUP)) - continue; - - if($backend->groupExists($gid)) { - $success|=$backend->addToGroup($uid, $gid); - } - } - if($success) { - OC_Hook::emit( "OC_User", "post_addToGroup", array( "uid" => $uid, "gid" => $gid )); - } - return $success; - }else{ + public static function addToGroup($uid, $gid) { + $group = self::getManager()->get($gid); + $user = self::$userManager->get($uid); + if ($group and $user) { + OC_Hook::emit("OC_Group", "pre_addToGroup", array("run" => true, "uid" => $uid, "gid" => $gid)); + $group->addUser($user); + OC_Hook::emit("OC_User", "post_addToGroup", array("uid" => $uid, "gid" => $gid)); + return true; + } else { return false; } } @@ -193,21 +163,15 @@ class OC_Group { * * removes the user from a group. */ - public static function removeFromGroup( $uid, $gid ) { - $run = true; - OC_Hook::emit( "OC_Group", "pre_removeFromGroup", array( "run" => &$run, "uid" => $uid, "gid" => $gid )); - - if($run) { - //remove the user from the all backends that have the group - foreach(self::$_usedBackends as $backend) { - if(!$backend->implementsActions(OC_GROUP_BACKEND_REMOVE_FROM_GOUP)) - continue; - - $backend->removeFromGroup($uid, $gid); - OC_Hook::emit( "OC_User", "post_removeFromGroup", array( "uid" => $uid, "gid" => $gid )); - } + public static function removeFromGroup($uid, $gid) { + $group = self::getManager()->get($gid); + $user = self::$userManager->get($uid); + if ($group and $user) { + OC_Hook::emit("OC_Group", "pre_removeFromGroup", array("run" => true, "uid" => $uid, "gid" => $gid)); + $group->removeUser($user); + OC_Hook::emit("OC_User", "post_removeFromGroup", array("uid" => $uid, "gid" => $gid)); return true; - }else{ + } else { return false; } } @@ -220,13 +184,18 @@ class OC_Group { * This function fetches all groups a user belongs to. It does not check * if the user exists at all. */ - public static function getUserGroups( $uid ) { - $groups=array(); - foreach(self::$_usedBackends as $backend) { - $groups=array_merge($backend->getUserGroups($uid), $groups); + public static function getUserGroups($uid) { + $user = self::$userManager->get($uid); + if ($user) { + $groups = self::getManager()->getUserGroups($user); + $groupIds = array(); + foreach ($groups as $group) { + $groupIds[] = $group->getGID(); + } + return $groupIds; + } else { + return array(); } - asort($groups); - return $groups; } /** @@ -235,27 +204,23 @@ class OC_Group { * * Returns a list with all groups */ - public static function getGroups($search = '', $limit = -1, $offset = 0) { - $groups = array(); - foreach (self::$_usedBackends as $backend) { - $groups = array_merge($backend->getGroups($search, $limit, $offset), $groups); + public static function getGroups($search = '', $limit = null, $offset = null) { + $groups = self::getManager()->search($search, $limit, $offset); + $groupIds = array(); + foreach ($groups as $group) { + $groupIds[] = $group->getGID(); } - asort($groups); - return $groups; + return $groupIds; } /** * check if a group exists + * * @param string $gid * @return bool */ public static function groupExists($gid) { - foreach(self::$_usedBackends as $backend) { - if ($backend->groupExists($gid)) { - return true; - } - } - return false; + return self::getManager()->groupExists($gid); } /** @@ -263,11 +228,17 @@ class OC_Group { * @returns array with user ids */ public static function usersInGroup($gid, $search = '', $limit = -1, $offset = 0) { - $users=array(); - foreach(self::$_usedBackends as $backend) { - $users = array_merge($backend->usersInGroup($gid, $search, $limit, $offset), $users); + $group = self::getManager()->get($gid); + if ($group) { + $users = $group->searchUsers($search . $limit, $offset); + $userIds = array(); + foreach ($users as $user) { + $userIds[] = $user->getUID(); + } + return $userIds; + } else { + return array(); } - return $users; } /** @@ -292,17 +263,17 @@ class OC_Group { * @returns array with display names (value) and user ids(key) */ public static function displayNamesInGroup($gid, $search = '', $limit = -1, $offset = 0) { - $displayNames=array(); - foreach(self::$_usedBackends as $backend) { - if($backend->implementsActions(OC_GROUP_BACKEND_GET_DISPLAYNAME)) { - $displayNames = array_merge($backend->displayNamesInGroup($gid, $search, $limit, $offset), $displayNames); - } else { - $users = $backend->usersInGroup($gid, $search, $limit, $offset); - $names = array_combine($users, $users); - $displayNames = array_merge($names, $displayNames); + $group = self::getManager()->get($gid); + if ($group) { + $users = $group->searchDisplayName($search . $limit, $offset); + $displayNames = array(); + foreach ($users as $user) { + $displayNames[] = $user->getDisplayName(); } + return $displayNames; + } else { + return array(); } - return $displayNames; } /** diff --git a/lib/group/group.php b/lib/group/group.php new file mode 100644 index 0000000000..a752c4311c --- /dev/null +++ b/lib/group/group.php @@ -0,0 +1,238 @@ + + * This file is licensed under the Affero General Public License version 3 or + * later. + * See the COPYING-README file. + */ + +namespace OC\Group; + +class Group { + /** + * @var string $id + */ + private $gid; + + /** + * @var \OC\User\User[] $users + */ + private $users; + + /** + * @var \OC_Group_Backend[] | \OC_Group_Database[] $backend + */ + private $backends; + + /** + * @var \OC\Hooks\PublicEmitter $emitter; + */ + private $emitter; + + /** + * @var \OC\User\Manager $userManager + */ + private $userManager; + + /** + * @param string $gid + * @param \OC_Group_Backend[] $backends + * @param \OC\User\Manager $userManager + * @param \OC\Hooks\PublicEmitter $emitter + */ + public function __construct($gid, $backends, $userManager, $emitter = null) { + $this->gid = $gid; + $this->backends = $backends; + $this->userManager = $userManager; + $this->emitter = $emitter; + } + + public function getGID() { + return $this->gid; + } + + /** + * get all users in the group + * + * @return \OC\User\User[] + */ + public function getUsers() { + if ($this->users) { + return $this->users; + } + + $users = array(); + $userIds = array(); + foreach ($this->backends as $backend) { + $diff = array_diff( + $backend->usersInGroup($this->gid), + $userIds + ); + if ($diff) { + $userIds = array_merge($userIds, $diff); + } + } + + foreach ($userIds as $userId) { + $users[] = $this->userManager->get($userId); + } + $this->users = $users; + return $users; + } + + /** + * check if a user is in the group + * + * @param \OC\User\User $user + * @return bool + */ + public function inGroup($user) { + foreach ($this->backends as $backend) { + if ($backend->inGroup($user->getUID(), $this->gid)) { + return true; + } + } + return false; + } + + /** + * add a user to the group + * + * @param \OC\User\User $user + */ + public function addUser($user) { + if ($this->inGroup($user)) { + return; + } + + if ($this->emitter) { + $this->emitter->emit('\OC\Group', 'preAddUser', array($this, $user)); + } + foreach ($this->backends as $backend) { + if ($backend->implementsActions(OC_GROUP_BACKEND_ADD_TO_GROUP)) { + $backend->addToGroup($user->getUID(), $this->gid); + if ($this->users) { + $this->users[] = $user; + } + if ($this->emitter) { + $this->emitter->emit('\OC\Group', 'postAddUser', array($this, $user)); + } + return; + } + } + } + + /** + * remove a user from the group + * + * @param \OC\User\User $user + */ + public function removeUser($user) { + $result = false; + if ($this->emitter) { + $this->emitter->emit('\OC\Group', 'preRemoveUser', array($this, $user)); + } + foreach ($this->backends as $backend) { + if ($backend->implementsActions(OC_GROUP_BACKEND_REMOVE_FROM_GOUP) and $backend->inGroup($user->getUID(), $this->gid)) { + $backend->removeFromGroup($user->getUID(), $this->gid); + $result = true; + } + } + if ($result) { + if ($this->emitter) { + $this->emitter->emit('\OC\Group', 'postRemoveUser', array($this, $user)); + } + if ($this->users) { + foreach ($this->users as $index => $groupUser) { + if ($groupUser->getUID() === $user->getUID()) { + unset($this->users[$index]); + return; + } + } + } + } + } + + /** + * search for users in the group by userid + * + * @param string $search + * @param int $limit + * @param int $offset + * @return \OC\User\User[] + */ + public function searchUsers($search, $limit = null, $offset = null) { + $users = array(); + foreach ($this->backends as $backend) { + $userIds = $backend->usersInGroup($this->gid, $search, $limit, $offset); + if (!is_null($limit)) { + $limit -= count($userIds); + } + if (!is_null($offset)) { + $offset -= count($userIds); + } + foreach ($userIds as $userId) { + $users[$userId] = $this->userManager->get($userId); + } + if (!is_null($limit) and $limit <= 0) { + return array_values($users); + } + } + return array_values($users); + } + + /** + * search for users in the group by displayname + * + * @param string $search + * @param int $limit + * @param int $offset + * @return \OC\User\User[] + */ + public function searchDisplayName($search, $limit = null, $offset = null) { + $users = array(); + foreach ($this->backends as $backend) { + if ($backend->implementsActions(OC_GROUP_BACKEND_GET_DISPLAYNAME)) { + $userIds = array_keys($backend->displayNamesInGroup($this->gid, $search, $limit, $offset)); + } else { + $userIds = $backend->usersInGroup($this->gid, $search, $limit, $offset); + } + if (!is_null($limit)) { + $limit -= count($userIds); + } + if (!is_null($offset)) { + $offset -= count($userIds); + } + foreach ($userIds as $userId) { + $users[$userId] = $this->userManager->get($userId); + } + if (!is_null($limit) and $limit <= 0) { + return array_values($users); + } + } + return array_values($users); + } + + /** + * delete the group + * + * @return bool + */ + public function delete() { + $result = false; + if ($this->emitter) { + $this->emitter->emit('\OC\Group', 'preDelete', array($this)); + } + foreach ($this->backends as $backend) { + if ($backend->implementsActions(OC_GROUP_BACKEND_DELETE_GROUP)) { + $result = true; + $backend->deleteGroup($this->gid); + } + } + if ($result and $this->emitter) { + $this->emitter->emit('\OC\Group', 'postDelete', array($this)); + } + return $result; + } +} diff --git a/lib/group/manager.php b/lib/group/manager.php new file mode 100644 index 0000000000..bf469d51d1 --- /dev/null +++ b/lib/group/manager.php @@ -0,0 +1,169 @@ + + * This file is licensed under the Affero General Public License version 3 or + * later. + * See the COPYING-README file. + */ + +namespace OC\Group; + +use OC\Hooks\PublicEmitter; + +/** + * Class Manager + * + * Hooks available in scope \OC\Group: + * - preAddUser(\OC\Group\Group $group, \OC\User\User $user) + * - postAddUser(\OC\Group\Group $group, \OC\User\User $user) + * - preRemoveUser(\OC\Group\Group $group, \OC\User\User $user) + * - postRemoveUser(\OC\Group\Group $group, \OC\User\User $user) + * - preDelete(\OC\Group\Group $group) + * - postDelete(\OC\Group\Group $group) + * - preCreate(string $groupId) + * - postCreate(\OC\Group\Group $group) + * + * @package OC\Group + */ +class Manager extends PublicEmitter { + /** + * @var \OC_Group_Backend[] | \OC_Group_Database[] $backends + */ + private $backends = array(); + + /** + * @var \OC\User\Manager $userManager + */ + private $userManager; + + /** + * @var \OC\Group\Group[] + */ + private $cachedGroups; + + /** + * @param \OC\User\Manager $userManager + */ + public function __construct($userManager) { + $this->userManager = $userManager; + $cache = & $this->cachedGroups; + $this->listen('\OC\Group', 'postDelete', function ($group) use (&$cache) { + /** + * @var \OC\Group\Group $group + */ + unset($cache[$group->getGID()]); + }); + } + + /** + * @param \OC_Group_Backend $backend + */ + public function addBackend($backend) { + $this->backends[] = $backend; + } + + public function clearBackends() { + $this->backends = array(); + $this->cachedGroups = array(); + } + + /** + * @param string $gid + * @return \OC\Group\Group + */ + public function get($gid) { + if (isset($this->cachedGroups[$gid])) { + return $this->cachedGroups[$gid]; + } + foreach ($this->backends as $backend) { + if ($backend->groupExists($gid)) { + return $this->getGroupObject($gid); + } + } + return null; + } + + protected function getGroupObject($gid) { + $backends = array(); + foreach ($this->backends as $backend) { + if ($backend->groupExists($gid)) { + $backends[] = $backend; + } + } + $this->cachedGroups[$gid] = new Group($gid, $backends, $this->userManager, $this); + return $this->cachedGroups[$gid]; + } + + /** + * @param string $gid + * @return bool + */ + public function groupExists($gid) { + return !is_null($this->get($gid)); + } + + /** + * @param string $gid + * @return \OC\Group\Group + */ + public function createGroup($gid) { + if (!$gid) { + return false; + } else if ($this->groupExists($gid)) { + return $this->get($gid); + } else { + $this->emit('\OC\Group', 'preCreate', array($gid)); + foreach ($this->backends as $backend) { + if ($backend->implementsActions(OC_GROUP_BACKEND_CREATE_GROUP)) { + $backend->createGroup($gid); + $group = $this->getGroupObject($gid); + $this->emit('\OC\Group', 'postCreate', array($group)); + return $group; + } + } + return null; + } + } + + /** + * @param string $search + * @param int $limit + * @param int $offset + * @return \OC\Group\Group[] + */ + public function search($search, $limit = null, $offset = null) { + $groups = array(); + foreach ($this->backends as $backend) { + $groupIds = $backend->getGroups($search, $limit, $offset); + if (!is_null($limit)) { + $limit -= count($groupIds); + } + if (!is_null($offset)) { + $offset -= count($groupIds); + } + foreach ($groupIds as $groupId) { + $groups[$groupId] = $this->getGroupObject($groupId); + } + if (!is_null($limit) and $limit <= 0) { + return array_values($groups); + } + } + return array_values($groups); + } + + /** + * @param \OC\User\User $user + * @return \OC\Group\Group[] + */ + public function getUserGroups($user) { + $groups = array(); + foreach ($this->backends as $backend) { + $groupIds = $backend->getUserGroups($user->getUID()); + foreach ($groupIds as $groupId) { + $groups[$groupId] = $this->getGroupObject($groupId); + } + } + return array_values($groups); + } +} diff --git a/lib/helper.php b/lib/helper.php index 1860a55fc8..ca508e1d93 100644 --- a/lib/helper.php +++ b/lib/helper.php @@ -176,8 +176,7 @@ class OC_Helper { }elseif( file_exists( OC::$SERVERROOT."/core/img/$image" )) { return OC::$WEBROOT."/core/img/$image"; }else{ - echo('image not found: image:'.$image.' webroot:'.OC::$WEBROOT.' serverroot:'.OC::$SERVERROOT); - die(); + throw new RuntimeException('image not found: image:'.$image.' webroot:'.OC::$WEBROOT.' serverroot:'.OC::$SERVERROOT); } } @@ -636,6 +635,18 @@ class OC_Helper { * @return string */ public static function buildNotExistingFileName($path, $filename) { + $view = \OC\Files\Filesystem::getView(); + return self::buildNotExistingFileNameForView($path, $filename, $view); + } + + /** + * Adds a suffix to the name in case the file exists + * + * @param $path + * @param $filename + * @return string + */ + public static function buildNotExistingFileNameForView($path, $filename, \OC\Files\View $view) { if($path==='/') { $path=''; } @@ -648,11 +659,27 @@ class OC_Helper { } $newpath = $path . '/' . $filename; - $counter = 2; - while (\OC\Files\Filesystem::file_exists($newpath)) { - $newname = $name . ' (' . $counter . ')' . $ext; - $newpath = $path . '/' . $newname; - $counter++; + if ($view->file_exists($newpath)) { + if(preg_match_all('/\((\d+)\)/', $name, $matches, PREG_OFFSET_CAPTURE)) { + //Replace the last "(number)" with "(number+1)" + $last_match = count($matches[0])-1; + $counter = $matches[1][$last_match][0]+1; + $offset = $matches[0][$last_match][1]; + $match_length = strlen($matches[0][$last_match][0]); + } else { + $counter = 2; + $offset = false; + } + do { + if($offset) { + //Replace the last "(number)" with "(number+1)" + $newname = substr_replace($name, '('.$counter.')', $offset, $match_length); + } else { + $newname = $name . ' (' . $counter . ')'; + } + $newpath = $path . '/' . $newname . $ext; + $counter++; + } while ($view->file_exists($newpath)); } return $newpath; diff --git a/lib/hintexception.php b/lib/hintexception.php new file mode 100644 index 0000000000..3934ae2a4c --- /dev/null +++ b/lib/hintexception.php @@ -0,0 +1,27 @@ + + * This file is licensed under the Affero General Public License version 3 or + * later. + * See the COPYING-README file. + */ + +namespace OC; + +class HintException extends \Exception { + + private $hint; + + public function __construct($message, $hint = '', $code = 0, Exception $previous = null) { + $this->hint = $hint; + parent::__construct($message, $code, $previous); + } + + public function __toString() { + return __CLASS__ . ": [{$this->code}]: {$this->message} ({$this->hint})\n"; + } + + public function getHint() { + return $this->hint; + } +} diff --git a/lib/hooks/basicemitter.php b/lib/hooks/basicemitter.php index e615a58cfe..9ffe1af231 100644 --- a/lib/hooks/basicemitter.php +++ b/lib/hooks/basicemitter.php @@ -13,7 +13,7 @@ abstract class BasicEmitter implements Emitter { /** * @var (callable[])[] $listeners */ - private $listeners = array(); + protected $listeners = array(); /** * @param string $scope diff --git a/lib/hooks/forwardingemitter.php b/lib/hooks/forwardingemitter.php new file mode 100644 index 0000000000..1aacc4012e --- /dev/null +++ b/lib/hooks/forwardingemitter.php @@ -0,0 +1,50 @@ + + * This file is licensed under the Affero General Public License version 3 or + * later. + * See the COPYING-README file. + */ + +namespace OC\Hooks; + +/** + * Class ForwardingEmitter + * + * allows forwarding all listen calls to other emitters + * + * @package OC\Hooks + */ +abstract class ForwardingEmitter extends BasicEmitter { + /** + * @var \OC\Hooks\Emitter[] array + */ + private $forwardEmitters = array(); + + /** + * @param string $scope + * @param string $method + * @param callable $callback + */ + public function listen($scope, $method, $callback) { + parent::listen($scope, $method, $callback); + foreach ($this->forwardEmitters as $emitter) { + $emitter->listen($scope, $method, $callback); + } + } + + /** + * @param \OC\Hooks\Emitter $emitter + */ + protected function forward($emitter) { + $this->forwardEmitters[] = $emitter; + + //forward all previously connected hooks + foreach ($this->listeners as $key => $listeners) { + list($scope, $method) = explode('::', $key, 2); + foreach ($listeners as $listener) { + $emitter->listen($scope, $method, $listener); + } + } + } +} diff --git a/lib/installer.php b/lib/installer.php index 49ba449263..dcd29f9e1a 100644 --- a/lib/installer.php +++ b/lib/installer.php @@ -436,10 +436,30 @@ class OC_Installer{ $blacklist=array( 'exec(', - 'eval(' + 'eval(', // more evil pattern will go here later - // will will also check if an app is using private api once the public api is in place + // classes replaced by the public api + 'OC_API::', + 'OC_App::', + 'OC_AppConfig::', + 'OC_BackgroundJob::', + 'OC_Config::', + 'OC_DB::', + 'OC_Files::', + 'OC_Helper::', + 'OC_Hook::', + 'OC_Image::', + 'OC_JSON::', + 'OC_L10N::', + 'OC_Log::', + 'OC_Mail::', + 'OC_Preferences::', + 'OC_Request::', + 'OC_Response::', + 'OC_Template::', + 'OC_User::', + 'OC_Util::', ); // is the code checker enabled? diff --git a/lib/l10n/af_ZA.php b/lib/l10n/af_ZA.php index 38e91288fb..de32778026 100644 --- a/lib/l10n/af_ZA.php +++ b/lib/l10n/af_ZA.php @@ -4,5 +4,6 @@ "Settings" => "Instellings", "Users" => "Gebruikers", "Apps" => "Toepassings", -"Admin" => "Admin" +"Admin" => "Admin", +"web services under your control" => "webdienste onder jou beheer" ); diff --git a/lib/l10n/ar.php b/lib/l10n/ar.php index 35a86d0b9d..107b27a1fc 100644 --- a/lib/l10n/ar.php +++ b/lib/l10n/ar.php @@ -5,6 +5,7 @@ "Users" => "المستخدمين", "Apps" => "التطبيقات", "Admin" => "المدير", +"web services under your control" => "خدمات الشبكة تحت سيطرتك", "ZIP download is turned off." => "تحميل ملفات ZIP متوقف", "Files need to be downloaded one by one." => "الملفات بحاجة الى ان يتم تحميلها واحد تلو الاخر", "Back to Files" => "العودة الى الملفات", diff --git a/lib/l10n/bg_BG.php b/lib/l10n/bg_BG.php index 4ca307e3c1..e23112c830 100644 --- a/lib/l10n/bg_BG.php +++ b/lib/l10n/bg_BG.php @@ -5,6 +5,7 @@ "Users" => "Потребители", "Apps" => "Приложения", "Admin" => "Админ", +"web services under your control" => "уеб услуги под Ваш контрол", "ZIP download is turned off." => "Изтеглянето като ZIP е изключено.", "Files need to be downloaded one by one." => "Файловете трябва да се изтеглят един по един.", "Back to Files" => "Назад към файловете", diff --git a/lib/l10n/bn_BD.php b/lib/l10n/bn_BD.php index f7c8f57466..ab1d9b94d0 100644 --- a/lib/l10n/bn_BD.php +++ b/lib/l10n/bn_BD.php @@ -5,6 +5,7 @@ "Users" => "ব্যবহারকারী", "Apps" => "অ্যাপ", "Admin" => "প্রশাসন", +"web services under your control" => "ওয়েব সার্ভিস আপনার হাতের মুঠোয়", "ZIP download is turned off." => "ZIP ডাউনলোড বন্ধ করা আছে।", "Files need to be downloaded one by one." => "ফাইলগুলো একে একে ডাউনলোড করা আবশ্যক।", "Back to Files" => "ফাইলে ফিরে চল", diff --git a/lib/l10n/ca.php b/lib/l10n/ca.php index 0dd7c86b26..93f7fa5f7b 100644 --- a/lib/l10n/ca.php +++ b/lib/l10n/ca.php @@ -5,6 +5,7 @@ "Users" => "Usuaris", "Apps" => "Aplicacions", "Admin" => "Administració", +"web services under your control" => "controleu els vostres serveis web", "ZIP download is turned off." => "La baixada en ZIP està desactivada.", "Files need to be downloaded one by one." => "Els fitxers s'han de baixar d'un en un.", "Back to Files" => "Torna a Fitxers", diff --git a/lib/l10n/cs_CZ.php b/lib/l10n/cs_CZ.php index 7e5275f4b6..917f383bb8 100644 --- a/lib/l10n/cs_CZ.php +++ b/lib/l10n/cs_CZ.php @@ -5,6 +5,7 @@ "Users" => "Uživatelé", "Apps" => "Aplikace", "Admin" => "Administrace", +"web services under your control" => "služby webu pod Vaší kontrolou", "ZIP download is turned off." => "Stahování ZIPu je vypnuto.", "Files need to be downloaded one by one." => "Soubory musí být stahovány jednotlivě.", "Back to Files" => "Zpět k souborům", diff --git a/lib/l10n/cy_GB.php b/lib/l10n/cy_GB.php index 37d49a77bd..27140ba6db 100644 --- a/lib/l10n/cy_GB.php +++ b/lib/l10n/cy_GB.php @@ -5,6 +5,7 @@ "Users" => "Defnyddwyr", "Apps" => "Pecynnau", "Admin" => "Gweinyddu", +"web services under your control" => "gwasanaethau gwe a reolir gennych", "ZIP download is turned off." => "Mae llwytho ZIP wedi ei ddiffodd.", "Files need to be downloaded one by one." => "Mae angen llwytho ffeiliau i lawr fesul un.", "Back to Files" => "Nôl i Ffeiliau", diff --git a/lib/l10n/da.php b/lib/l10n/da.php index e5df63eef9..5f11453bcd 100644 --- a/lib/l10n/da.php +++ b/lib/l10n/da.php @@ -5,6 +5,7 @@ "Users" => "Brugere", "Apps" => "Apps", "Admin" => "Admin", +"web services under your control" => "Webtjenester under din kontrol", "ZIP download is turned off." => "ZIP-download er slået fra.", "Files need to be downloaded one by one." => "Filer skal downloades en for en.", "Back to Files" => "Tilbage til Filer", diff --git a/lib/l10n/de.php b/lib/l10n/de.php index bd7c407024..4ef02402b9 100644 --- a/lib/l10n/de.php +++ b/lib/l10n/de.php @@ -5,6 +5,7 @@ "Users" => "Benutzer", "Apps" => "Apps", "Admin" => "Administration", +"web services under your control" => "Web-Services unter Deiner Kontrolle", "ZIP download is turned off." => "Der ZIP-Download ist deaktiviert.", "Files need to be downloaded one by one." => "Die Dateien müssen einzeln heruntergeladen werden.", "Back to Files" => "Zurück zu \"Dateien\"", diff --git a/lib/l10n/de_DE.php b/lib/l10n/de_DE.php index 651c63fb77..823d423abc 100644 --- a/lib/l10n/de_DE.php +++ b/lib/l10n/de_DE.php @@ -5,6 +5,7 @@ "Users" => "Benutzer", "Apps" => "Apps", "Admin" => "Administrator", +"web services under your control" => "Web-Services unter Ihrer Kontrolle", "ZIP download is turned off." => "Der ZIP-Download ist deaktiviert.", "Files need to be downloaded one by one." => "Die Dateien müssen einzeln heruntergeladen werden.", "Back to Files" => "Zurück zu \"Dateien\"", diff --git a/lib/l10n/el.php b/lib/l10n/el.php index 09dac78edf..3e876aefdf 100644 --- a/lib/l10n/el.php +++ b/lib/l10n/el.php @@ -5,6 +5,7 @@ "Users" => "Χρήστες", "Apps" => "Εφαρμογές", "Admin" => "Διαχειριστής", +"web services under your control" => "υπηρεσίες δικτύου υπό τον έλεγχό σας", "ZIP download is turned off." => "Η λήψη ZIP απενεργοποιήθηκε.", "Files need to be downloaded one by one." => "Τα αρχεία πρέπει να ληφθούν ένα-ένα.", "Back to Files" => "Πίσω στα Αρχεία", diff --git a/lib/l10n/en@pirate.php b/lib/l10n/en@pirate.php new file mode 100644 index 0000000000..02ff0331e0 --- /dev/null +++ b/lib/l10n/en@pirate.php @@ -0,0 +1,3 @@ + "web services under your control" +); diff --git a/lib/l10n/eo.php b/lib/l10n/eo.php index b24748b0db..fd45f30c69 100644 --- a/lib/l10n/eo.php +++ b/lib/l10n/eo.php @@ -5,6 +5,7 @@ "Users" => "Uzantoj", "Apps" => "Aplikaĵoj", "Admin" => "Administranto", +"web services under your control" => "TTT-servoj regataj de vi", "ZIP download is turned off." => "ZIP-elŝuto estas malkapabligita.", "Files need to be downloaded one by one." => "Dosieroj devas elŝutiĝi unuope.", "Back to Files" => "Reen al la dosieroj", diff --git a/lib/l10n/es.php b/lib/l10n/es.php index 83bc7b1ed8..1f243a224e 100644 --- a/lib/l10n/es.php +++ b/lib/l10n/es.php @@ -5,6 +5,7 @@ "Users" => "Usuarios", "Apps" => "Aplicaciones", "Admin" => "Administración", +"web services under your control" => "Servicios web bajo su control", "ZIP download is turned off." => "La descarga en ZIP está desactivada.", "Files need to be downloaded one by one." => "Los archivos deben ser descargados uno por uno.", "Back to Files" => "Volver a Archivos", diff --git a/lib/l10n/es_AR.php b/lib/l10n/es_AR.php index 121caf89be..cd1a0fbb53 100644 --- a/lib/l10n/es_AR.php +++ b/lib/l10n/es_AR.php @@ -3,49 +3,50 @@ "Personal" => "Personal", "Settings" => "Configuración", "Users" => "Usuarios", -"Apps" => "Aplicaciones", +"Apps" => "Apps", "Admin" => "Administración", +"web services under your control" => "servicios web sobre los que tenés control", "ZIP download is turned off." => "La descarga en ZIP está desactivada.", "Files need to be downloaded one by one." => "Los archivos deben ser descargados de a uno.", -"Back to Files" => "Volver a archivos", +"Back to Files" => "Volver a Archivos", "Selected files too large to generate zip file." => "Los archivos seleccionados son demasiado grandes para generar el archivo zip.", -"couldn't be determined" => "no pudo ser determinado", +"couldn't be determined" => "no se pudo determinar", "Application is not enabled" => "La aplicación no está habilitada", "Authentication error" => "Error al autenticar", "Token expired. Please reload page." => "Token expirado. Por favor, recargá la página.", "Files" => "Archivos", "Text" => "Texto", "Images" => "Imágenes", -"%s enter the database username." => "%s Entre el Usuario de la Base de Datos", -"%s enter the database name." => "%s Entre el Nombre de la Base de Datos", -"%s you may not use dots in the database name" => "%s no puede usar puntos en el nombre de la Base de Datos", +"%s enter the database username." => "%s Entrá el usuario de la base de datos", +"%s enter the database name." => "%s Entrá el nombre de la base de datos.", +"%s you may not use dots in the database name" => "%s no podés usar puntos en el nombre de la base de datos", "MS SQL username and/or password not valid: %s" => "Nombre de usuario y contraseña de MS SQL no son válidas: %s", -"You need to enter either an existing account or the administrator." => "Debe ingresar una cuenta existente o el administrador", +"You need to enter either an existing account or the administrator." => "Tenés que ingresar una cuenta existente o el administrador.", "MySQL username and/or password not valid" => "Usuario y/o contraseña MySQL no válido", "DB Error: \"%s\"" => "Error DB: \"%s\"", "Offending command was: \"%s\"" => "El comando no comprendido es: \"%s\"", -"MySQL user '%s'@'localhost' exists already." => "Usuario MySQL '%s'@'localhost' ya existente", +"MySQL user '%s'@'localhost' exists already." => "Usuario MySQL '%s'@'localhost' ya existe.", "Drop this user from MySQL" => "Borrar este usuario de MySQL", -"MySQL user '%s'@'%%' already exists" => "Usuario MySQL '%s'@'%%' ya existente", +"MySQL user '%s'@'%%' already exists" => "Usuario MySQL '%s'@'%%' ya existe", "Drop this user from MySQL." => "Borrar este usuario de MySQL", "Oracle connection could not be established" => "No fue posible establecer la conexión a Oracle", -"Oracle username and/or password not valid" => "El nombre de usuario y contraseña no son válidos", +"Oracle username and/or password not valid" => "El nombre de usuario y/o contraseña no son válidos", "Offending command was: \"%s\", name: %s, password: %s" => "El comando no comprendido es: \"%s\", nombre: \"%s\", contraseña: \"%s\"", -"PostgreSQL username and/or password not valid" => "Nombre de usuario o contraseña de PostgradeSQL no válido.", -"Set an admin username." => "Configurar un nombre de administrador", -"Set an admin password." => "Configurar una palabra clave de administrador", +"PostgreSQL username and/or password not valid" => "Nombre de usuario o contraseña PostgradeSQL inválido.", +"Set an admin username." => "Configurar un nombre de administrador.", +"Set an admin password." => "Configurar una contraseña de administrador.", "Your web server is not yet properly setup to allow files synchronization because the WebDAV interface seems to be broken." => "Tu servidor web no está configurado todavía para permitir sincronización de archivos porque la interfaz WebDAV parece no funcionar.", "Please double check the installation guides." => "Por favor, comprobá nuevamente la guía de instalación.", "seconds ago" => "segundos atrás", "1 minute ago" => "hace 1 minuto", "%d minutes ago" => "hace %d minutos", -"1 hour ago" => "1 hora atrás", -"%d hours ago" => "%d horas atrás", +"1 hour ago" => "hace 1 hora", +"%d hours ago" => "hace %d horas", "today" => "hoy", "yesterday" => "ayer", "%d days ago" => "hace %d días", "last month" => "el mes pasado", -"%d months ago" => "%d meses atrás", +"%d months ago" => "hace %d meses", "last year" => "el año pasado", "years ago" => "años atrás", "Could not find category \"%s\"" => "No fue posible encontrar la categoría \"%s\"" diff --git a/lib/l10n/et_EE.php b/lib/l10n/et_EE.php index 3db0cda0c7..4da2c36d6a 100644 --- a/lib/l10n/et_EE.php +++ b/lib/l10n/et_EE.php @@ -5,6 +5,7 @@ "Users" => "Kasutajad", "Apps" => "Rakendused", "Admin" => "Admin", +"web services under your control" => "veebitenused sinu kontrolli all", "ZIP download is turned off." => "ZIP-ina allalaadimine on välja lülitatud.", "Files need to be downloaded one by one." => "Failid tuleb alla laadida ükshaaval.", "Back to Files" => "Tagasi failide juurde", diff --git a/lib/l10n/eu.php b/lib/l10n/eu.php index cfb09681ae..131ac6d7da 100644 --- a/lib/l10n/eu.php +++ b/lib/l10n/eu.php @@ -5,6 +5,7 @@ "Users" => "Erabiltzaileak", "Apps" => "Aplikazioak", "Admin" => "Admin", +"web services under your control" => "web zerbitzuak zure kontrolpean", "ZIP download is turned off." => "ZIP deskarga ez dago gaituta.", "Files need to be downloaded one by one." => "Fitxategiak banan-banan deskargatu behar dira.", "Back to Files" => "Itzuli fitxategietara", @@ -28,6 +29,7 @@ "Drop this user from MySQL" => "Ezabatu erabiltzaile hau MySQLtik", "MySQL user '%s'@'%%' already exists" => "MySQL '%s'@'%%' erabiltzailea dagoeneko existitzen da", "Drop this user from MySQL." => "Ezabatu erabiltzaile hau MySQLtik.", +"Oracle connection could not be established" => "Ezin da Oracle konexioa sortu", "Oracle username and/or password not valid" => "Oracle erabiltzaile edota pasahitza ez dira egokiak.", "Offending command was: \"%s\", name: %s, password: %s" => "Errorea komando honek sortu du: \"%s\", izena: %s, pasahitza: %s", "PostgreSQL username and/or password not valid" => "PostgreSQL erabiltzaile edota pasahitza ez dira egokiak.", diff --git a/lib/l10n/fa.php b/lib/l10n/fa.php index b0d423421d..40a778e212 100644 --- a/lib/l10n/fa.php +++ b/lib/l10n/fa.php @@ -5,15 +5,36 @@ "Users" => "کاربران", "Apps" => " برنامه ها", "Admin" => "مدیر", +"web services under your control" => "سرویس های تحت وب در کنترل شما", "ZIP download is turned off." => "دانلود به صورت فشرده غیر فعال است", "Files need to be downloaded one by one." => "فایل ها باید به صورت یکی یکی دانلود شوند", "Back to Files" => "بازگشت به فایل ها", "Selected files too large to generate zip file." => "فایل های انتخاب شده بزرگتر از آن هستند که بتوان یک فایل فشرده تولید کرد", +"couldn't be determined" => "نمیتواند مشخص شود", "Application is not enabled" => "برنامه فعال نشده است", "Authentication error" => "خطا در اعتبار سنجی", +"Token expired. Please reload page." => "رمز منقضی شده است. لطفا دوباره صفحه را بارگذاری نمایید.", "Files" => "پرونده‌ها", "Text" => "متن", "Images" => "تصاویر", +"%s enter the database username." => "%s نام کاربری پایگاه داده را وارد نمایید.", +"%s enter the database name." => "%s نام پایگاه داده را وارد نمایید.", +"%s you may not use dots in the database name" => "%s شما نباید از نقطه در نام پایگاه داده استفاده نمایید.", +"MS SQL username and/or password not valid: %s" => "نام کاربری و / یا رمزعبور MS SQL معتبر نیست: %s", +"You need to enter either an existing account or the administrator." => "شما نیاز به وارد کردن یک حساب کاربری موجود یا حساب مدیریتی دارید.", +"MySQL username and/or password not valid" => "نام کاربری و / یا رمزعبور MySQL معتبر نیست.", +"DB Error: \"%s\"" => "خطای پایگاه داده: \"%s\"", +"Offending command was: \"%s\"" => "دستور متخلف عبارت است از: \"%s\"", +"MySQL user '%s'@'localhost' exists already." => "کاربرMySQL '%s'@'localhost' درحال حاضر موجود است.", +"Drop this user from MySQL" => "این کاربر را از MySQL حذف نمایید.", +"MySQL user '%s'@'%%' already exists" => "کاربر'%s'@'%%' MySQL در حال حاضر موجود است.", +"Drop this user from MySQL." => "این کاربر را از MySQL حذف نمایید.", +"Oracle connection could not be established" => "ارتباط اراکل نمیتواند برقرار باشد.", +"Oracle username and/or password not valid" => "نام کاربری و / یا رمزعبور اراکل معتبر نیست.", +"Offending command was: \"%s\", name: %s, password: %s" => "دستور متخلف عبارت است از: \"%s\"، نام: \"%s\"، رمزعبور:\"%s\"", +"PostgreSQL username and/or password not valid" => "PostgreSQL نام کاربری و / یا رمزعبور معتبر نیست.", +"Set an admin username." => "یک نام کاربری برای مدیر تنظیم نمایید.", +"Set an admin password." => "یک رمزعبور برای مدیر تنظیم نمایید.", "Your web server is not yet properly setup to allow files synchronization because the WebDAV interface seems to be broken." => "احتمالاً وب سرور شما طوری تنظیم نشده است که اجازه ی همگام سازی فایلها را بدهد زیرا به نظر میرسد رابط WebDAV از کار افتاده است.", "Please double check the installation guides." => "لطفاً دوباره راهنمای نصبرا بررسی کنید.", "seconds ago" => "ثانیه‌ها پیش", diff --git a/lib/l10n/fi_FI.php b/lib/l10n/fi_FI.php index 8726951f83..75576c3034 100644 --- a/lib/l10n/fi_FI.php +++ b/lib/l10n/fi_FI.php @@ -5,6 +5,7 @@ "Users" => "Käyttäjät", "Apps" => "Sovellukset", "Admin" => "Ylläpitäjä", +"web services under your control" => "verkkopalvelut hallinnassasi", "ZIP download is turned off." => "ZIP-lataus on poistettu käytöstä.", "Files need to be downloaded one by one." => "Tiedostot on ladattava yksittäin.", "Back to Files" => "Takaisin tiedostoihin", diff --git a/lib/l10n/fr.php b/lib/l10n/fr.php index 724c69420b..9f30b60269 100644 --- a/lib/l10n/fr.php +++ b/lib/l10n/fr.php @@ -5,6 +5,7 @@ "Users" => "Utilisateurs", "Apps" => "Applications", "Admin" => "Administration", +"web services under your control" => "services web sous votre contrôle", "ZIP download is turned off." => "Téléchargement ZIP désactivé.", "Files need to be downloaded one by one." => "Les fichiers nécessitent d'être téléchargés un par un.", "Back to Files" => "Retour aux Fichiers", diff --git a/lib/l10n/gl.php b/lib/l10n/gl.php index f0d01e4a7d..351f18c715 100644 --- a/lib/l10n/gl.php +++ b/lib/l10n/gl.php @@ -5,6 +5,7 @@ "Users" => "Usuarios", "Apps" => "Aplicativos", "Admin" => "Administración", +"web services under your control" => "servizos web baixo o seu control", "ZIP download is turned off." => "As descargas ZIP están desactivadas.", "Files need to be downloaded one by one." => "Os ficheiros necesitan seren descargados dun en un.", "Back to Files" => "Volver aos ficheiros", diff --git a/lib/l10n/he.php b/lib/l10n/he.php index 0069d77eee..2e011e342a 100644 --- a/lib/l10n/he.php +++ b/lib/l10n/he.php @@ -5,6 +5,7 @@ "Users" => "משתמשים", "Apps" => "יישומים", "Admin" => "מנהל", +"web services under your control" => "שירותי רשת תחת השליטה שלך", "ZIP download is turned off." => "הורדת ZIP כבויה", "Files need to be downloaded one by one." => "יש להוריד את הקבצים אחד אחרי השני.", "Back to Files" => "חזרה לקבצים", diff --git a/lib/l10n/hr.php b/lib/l10n/hr.php index 3ce75c99f0..41c34d3108 100644 --- a/lib/l10n/hr.php +++ b/lib/l10n/hr.php @@ -5,6 +5,7 @@ "Users" => "Korisnici", "Apps" => "Aplikacije", "Admin" => "Administrator", +"web services under your control" => "web usluge pod vašom kontrolom", "Authentication error" => "Greška kod autorizacije", "Files" => "Datoteke", "Text" => "Tekst", diff --git a/lib/l10n/hu_HU.php b/lib/l10n/hu_HU.php index beca4a1256..3aa04274fa 100644 --- a/lib/l10n/hu_HU.php +++ b/lib/l10n/hu_HU.php @@ -5,6 +5,7 @@ "Users" => "Felhasználók", "Apps" => "Alkalmazások", "Admin" => "Adminsztráció", +"web services under your control" => "webszolgáltatások saját kézben", "ZIP download is turned off." => "A ZIP-letöltés nincs engedélyezve.", "Files need to be downloaded one by one." => "A fájlokat egyenként kell letölteni.", "Back to Files" => "Vissza a Fájlokhoz", diff --git a/lib/l10n/ia.php b/lib/l10n/ia.php index 573281553f..e5f6e3ddf5 100644 --- a/lib/l10n/ia.php +++ b/lib/l10n/ia.php @@ -5,6 +5,7 @@ "Users" => "Usatores", "Apps" => "Applicationes", "Admin" => "Administration", +"web services under your control" => "servicios web sub tu controlo", "Files" => "Files", "Text" => "Texto" ); diff --git a/lib/l10n/id.php b/lib/l10n/id.php index 8f72f24ea6..c247651f0c 100644 --- a/lib/l10n/id.php +++ b/lib/l10n/id.php @@ -5,6 +5,7 @@ "Users" => "Pengguna", "Apps" => "Aplikasi", "Admin" => "Admin", +"web services under your control" => "layanan web dalam kontrol Anda", "ZIP download is turned off." => "Pengunduhan ZIP dimatikan.", "Files need to be downloaded one by one." => "Berkas harus diunduh satu persatu.", "Back to Files" => "Kembali ke Daftar Berkas", diff --git a/lib/l10n/is.php b/lib/l10n/is.php index 05bb688395..0f7a22fd13 100644 --- a/lib/l10n/is.php +++ b/lib/l10n/is.php @@ -5,6 +5,7 @@ "Users" => "Notendur", "Apps" => "Forrit", "Admin" => "Stjórnun", +"web services under your control" => "vefþjónusta undir þinni stjórn", "ZIP download is turned off." => "Slökkt á ZIP niðurhali.", "Files need to be downloaded one by one." => "Skrárnar verður að sækja eina og eina", "Back to Files" => "Aftur í skrár", diff --git a/lib/l10n/it.php b/lib/l10n/it.php index 92a3d201d3..74483315ca 100644 --- a/lib/l10n/it.php +++ b/lib/l10n/it.php @@ -5,6 +5,7 @@ "Users" => "Utenti", "Apps" => "Applicazioni", "Admin" => "Admin", +"web services under your control" => "servizi web nelle tue mani", "ZIP download is turned off." => "Lo scaricamento in formato ZIP è stato disabilitato.", "Files need to be downloaded one by one." => "I file devono essere scaricati uno alla volta.", "Back to Files" => "Torna ai file", diff --git a/lib/l10n/ja_JP.php b/lib/l10n/ja_JP.php index 804c0441da..36d06d360b 100644 --- a/lib/l10n/ja_JP.php +++ b/lib/l10n/ja_JP.php @@ -5,6 +5,7 @@ "Users" => "ユーザ", "Apps" => "アプリ", "Admin" => "管理", +"web services under your control" => "管理下のウェブサービス", "ZIP download is turned off." => "ZIPダウンロードは無効です。", "Files need to be downloaded one by one." => "ファイルは1つずつダウンロードする必要があります。", "Back to Files" => "ファイルに戻る", diff --git a/lib/l10n/ka_GE.php b/lib/l10n/ka_GE.php index d2bb3ea2b0..c6e77da2da 100644 --- a/lib/l10n/ka_GE.php +++ b/lib/l10n/ka_GE.php @@ -5,6 +5,7 @@ "Users" => "მომხმარებელი", "Apps" => "აპლიკაციები", "Admin" => "ადმინისტრატორი", +"web services under your control" => "web services under your control", "ZIP download is turned off." => "ZIP download–ი გათიშულია", "Files need to be downloaded one by one." => "ფაილები უნდა გადმოიტვირთოს სათითაოდ.", "Back to Files" => "უკან ფაილებში", diff --git a/lib/l10n/ko.php b/lib/l10n/ko.php index bfb99544a3..1f32ebe402 100644 --- a/lib/l10n/ko.php +++ b/lib/l10n/ko.php @@ -5,6 +5,7 @@ "Users" => "사용자", "Apps" => "앱", "Admin" => "관리자", +"web services under your control" => "내가 관리하는 웹 서비스", "ZIP download is turned off." => "ZIP 다운로드가 비활성화되었습니다.", "Files need to be downloaded one by one." => "파일을 개별적으로 다운로드해야 합니다.", "Back to Files" => "파일로 돌아가기", @@ -16,6 +17,13 @@ "Files" => "파일", "Text" => "텍스트", "Images" => "그림", +"%s enter the database username." => "데이터베이스 사용자 명을 %s 에 입력해주십시오", +"%s enter the database name." => "데이터베이스 명을 %s 에 입력해주십시오", +"%s you may not use dots in the database name" => "%s 에 적으신 데이터베이스 이름에는 점을 사용할수 없습니다", +"DB Error: \"%s\"" => "DB 오류: \"%s\"", +"PostgreSQL username and/or password not valid" => "PostgreSQL의 사용자 명 혹은 비밀번호가 잘못되었습니다", +"Set an admin username." => "관리자 이름 설정", +"Set an admin password." => "관리자 비밀번호 설정", "Your web server is not yet properly setup to allow files synchronization because the WebDAV interface seems to be broken." => "WebDAV 인터페이스가 제대로 작동하지 않습니다. 웹 서버에서 파일 동기화를 사용할 수 있도록 설정이 제대로 되지 않은 것 같습니다.", "Please double check the installation guides." => "설치 가이드를 다시 한 번 확인하십시오.", "seconds ago" => "초 전", diff --git a/lib/l10n/ku_IQ.php b/lib/l10n/ku_IQ.php index 20d0249f56..6d7461a168 100644 --- a/lib/l10n/ku_IQ.php +++ b/lib/l10n/ku_IQ.php @@ -3,5 +3,6 @@ "Settings" => "ده‌ستكاری", "Users" => "به‌كارهێنه‌ر", "Apps" => "به‌رنامه‌كان", -"Admin" => "به‌ڕێوه‌به‌ری سه‌ره‌كی" +"Admin" => "به‌ڕێوه‌به‌ری سه‌ره‌كی", +"web services under your control" => "ڕاژه‌ی وێب له‌ژێر چاودێریت دایه" ); diff --git a/lib/l10n/lb.php b/lib/l10n/lb.php index 325e3bfa99..867b0a3740 100644 --- a/lib/l10n/lb.php +++ b/lib/l10n/lb.php @@ -5,6 +5,7 @@ "Users" => "Benotzer", "Apps" => "Applikatiounen", "Admin" => "Admin", +"web services under your control" => "Web-Servicer ënnert denger Kontroll", "Authentication error" => "Authentifikatioun's Fehler", "Files" => "Dateien", "Text" => "SMS", diff --git a/lib/l10n/lt_LT.php b/lib/l10n/lt_LT.php index b8268ed437..5e3a048203 100644 --- a/lib/l10n/lt_LT.php +++ b/lib/l10n/lt_LT.php @@ -5,6 +5,7 @@ "Users" => "Vartotojai", "Apps" => "Programos", "Admin" => "Administravimas", +"web services under your control" => "jūsų valdomos web paslaugos", "ZIP download is turned off." => "ZIP atsisiuntimo galimybė yra išjungta.", "Files need to be downloaded one by one." => "Failai turi būti parsiunčiami vienas po kito.", "Back to Files" => "Atgal į Failus", diff --git a/lib/l10n/lv.php b/lib/l10n/lv.php index 3fade1ab20..662f4d5b24 100644 --- a/lib/l10n/lv.php +++ b/lib/l10n/lv.php @@ -5,6 +5,7 @@ "Users" => "Lietotāji", "Apps" => "Lietotnes", "Admin" => "Administratori", +"web services under your control" => "tīmekļa servisi tavā varā", "ZIP download is turned off." => "ZIP lejupielādēšana ir izslēgta.", "Files need to be downloaded one by one." => "Datnes var lejupielādēt tikai katru atsevišķi.", "Back to Files" => "Atpakaļ pie datnēm", diff --git a/lib/l10n/mk.php b/lib/l10n/mk.php index 34790c9374..30fa9ab73c 100644 --- a/lib/l10n/mk.php +++ b/lib/l10n/mk.php @@ -5,6 +5,7 @@ "Users" => "Корисници", "Apps" => "Аппликации", "Admin" => "Админ", +"web services under your control" => "веб сервиси под Ваша контрола", "ZIP download is turned off." => "Преземање во ZIP е исклучено", "Files need to be downloaded one by one." => "Датотеките треба да се симнат една по една.", "Back to Files" => "Назад кон датотеки", diff --git a/lib/l10n/ms_MY.php b/lib/l10n/ms_MY.php index 6abbbe86e8..a293059797 100644 --- a/lib/l10n/ms_MY.php +++ b/lib/l10n/ms_MY.php @@ -5,6 +5,7 @@ "Users" => "Pengguna", "Apps" => "Aplikasi", "Admin" => "Admin", +"web services under your control" => "Perkhidmatan web di bawah kawalan anda", "Authentication error" => "Ralat pengesahan", "Files" => "Fail-fail", "Text" => "Teks" diff --git a/lib/l10n/my_MM.php b/lib/l10n/my_MM.php index 5d1812fd74..f214a1ed79 100644 --- a/lib/l10n/my_MM.php +++ b/lib/l10n/my_MM.php @@ -3,6 +3,7 @@ "Users" => "သုံးစွဲသူ", "Apps" => "Apps", "Admin" => "အက်ဒမင်", +"web services under your control" => "သင်၏ထိန်းချုပ်မှု့အောက်တွင်ရှိသော Web services", "ZIP download is turned off." => "ZIP ဒေါင်းလုတ်ကိုပိတ်ထားသည်", "Files need to be downloaded one by one." => "ဖိုင်များသည် တစ်ခုပြီး တစ်ခုဒေါင်းလုတ်ချရန်လိုအပ်သည်", "Back to Files" => "ဖိုင်သို့ပြန်သွားမည်", diff --git a/lib/l10n/nb_NO.php b/lib/l10n/nb_NO.php index 23146154c7..ab2d4f9192 100644 --- a/lib/l10n/nb_NO.php +++ b/lib/l10n/nb_NO.php @@ -5,6 +5,7 @@ "Users" => "Brukere", "Apps" => "Apper", "Admin" => "Admin", +"web services under your control" => "web tjenester du kontrollerer", "ZIP download is turned off." => "ZIP-nedlasting av avslått", "Files need to be downloaded one by one." => "Filene må lastes ned en om gangen", "Back to Files" => "Tilbake til filer", diff --git a/lib/l10n/nl.php b/lib/l10n/nl.php index e1c2627360..de80d1b5d5 100644 --- a/lib/l10n/nl.php +++ b/lib/l10n/nl.php @@ -5,6 +5,7 @@ "Users" => "Gebruikers", "Apps" => "Apps", "Admin" => "Beheerder", +"web services under your control" => "Webdiensten in eigen beheer", "ZIP download is turned off." => "ZIP download is uitgeschakeld.", "Files need to be downloaded one by one." => "Bestanden moeten één voor één worden gedownload.", "Back to Files" => "Terug naar bestanden", diff --git a/lib/l10n/nn_NO.php b/lib/l10n/nn_NO.php index 8241573f9a..c173939810 100644 --- a/lib/l10n/nn_NO.php +++ b/lib/l10n/nn_NO.php @@ -5,6 +5,7 @@ "Users" => "Brukarar", "Apps" => "Program", "Admin" => "Administrer", +"web services under your control" => "Vev tjenester under din kontroll", "Authentication error" => "Feil i autentisering", "Files" => "Filer", "Text" => "Tekst", diff --git a/lib/l10n/oc.php b/lib/l10n/oc.php index 85e2a27b43..a72da90790 100644 --- a/lib/l10n/oc.php +++ b/lib/l10n/oc.php @@ -5,6 +5,7 @@ "Users" => "Usancièrs", "Apps" => "Apps", "Admin" => "Admin", +"web services under your control" => "Services web jos ton contraròtle", "ZIP download is turned off." => "Avalcargar los ZIP es inactiu.", "Files need to be downloaded one by one." => "Los fichièrs devan èsser avalcargats un per un.", "Back to Files" => "Torna cap als fichièrs", diff --git a/lib/l10n/pl.php b/lib/l10n/pl.php index 92600785f8..bbca1913b7 100644 --- a/lib/l10n/pl.php +++ b/lib/l10n/pl.php @@ -5,6 +5,7 @@ "Users" => "Użytkownicy", "Apps" => "Aplikacje", "Admin" => "Administrator", +"web services under your control" => "Kontrolowane serwisy", "ZIP download is turned off." => "Pobieranie ZIP jest wyłączone.", "Files need to be downloaded one by one." => "Pliki muszą zostać pobrane pojedynczo.", "Back to Files" => "Wróć do plików", diff --git a/lib/l10n/pt_BR.php b/lib/l10n/pt_BR.php index 8b29f1510c..029331fdec 100644 --- a/lib/l10n/pt_BR.php +++ b/lib/l10n/pt_BR.php @@ -5,6 +5,7 @@ "Users" => "Usuários", "Apps" => "Aplicações", "Admin" => "Admin", +"web services under your control" => "serviços web sob seu controle", "ZIP download is turned off." => "Download ZIP está desligado.", "Files need to be downloaded one by one." => "Arquivos precisam ser baixados um de cada vez.", "Back to Files" => "Voltar para Arquivos", diff --git a/lib/l10n/pt_PT.php b/lib/l10n/pt_PT.php index 75824612ab..7480026e92 100644 --- a/lib/l10n/pt_PT.php +++ b/lib/l10n/pt_PT.php @@ -5,6 +5,7 @@ "Users" => "Utilizadores", "Apps" => "Aplicações", "Admin" => "Admin", +"web services under your control" => "serviços web sob o seu controlo", "ZIP download is turned off." => "Descarregamento em ZIP está desligado.", "Files need to be downloaded one by one." => "Os ficheiros precisam de ser descarregados um por um.", "Back to Files" => "Voltar a Ficheiros", diff --git a/lib/l10n/ro.php b/lib/l10n/ro.php index 6661caf86e..5a34e9571e 100644 --- a/lib/l10n/ro.php +++ b/lib/l10n/ro.php @@ -5,6 +5,7 @@ "Users" => "Utilizatori", "Apps" => "Aplicații", "Admin" => "Admin", +"web services under your control" => "servicii web controlate de tine", "ZIP download is turned off." => "Descărcarea ZIP este dezactivată.", "Files need to be downloaded one by one." => "Fișierele trebuie descărcate unul câte unul.", "Back to Files" => "Înapoi la fișiere", @@ -16,6 +17,8 @@ "Files" => "Fișiere", "Text" => "Text", "Images" => "Imagini", +"Your web server is not yet properly setup to allow files synchronization because the WebDAV interface seems to be broken." => "Serverul de web nu este încă setat corespunzător pentru a permite sincronizarea fișierelor deoarece interfața WebDAV pare a fi întreruptă.", +"Please double check the installation guides." => "Vă rugăm să verificați ghiduri de instalare.", "seconds ago" => "secunde în urmă", "1 minute ago" => "1 minut în urmă", "%d minutes ago" => "%d minute în urmă", diff --git a/lib/l10n/ru.php b/lib/l10n/ru.php index 1753c54980..052b0487c6 100644 --- a/lib/l10n/ru.php +++ b/lib/l10n/ru.php @@ -5,6 +5,7 @@ "Users" => "Пользователи", "Apps" => "Приложения", "Admin" => "Admin", +"web services under your control" => "веб-сервисы под вашим управлением", "ZIP download is turned off." => "ZIP-скачивание отключено.", "Files need to be downloaded one by one." => "Файлы должны быть загружены по одному.", "Back to Files" => "Назад к файлам", diff --git a/lib/l10n/si_LK.php b/lib/l10n/si_LK.php index 4846fdcc06..49ded7026e 100644 --- a/lib/l10n/si_LK.php +++ b/lib/l10n/si_LK.php @@ -5,6 +5,7 @@ "Users" => "පරිශීලකයන්", "Apps" => "යෙදුම්", "Admin" => "පරිපාලක", +"web services under your control" => "ඔබට පාලනය කළ හැකි වෙබ් සේවාවන්", "ZIP download is turned off." => "ZIP භාගත කිරීම් අක්‍රියයි", "Files need to be downloaded one by one." => "ගොනු එකින් එක භාගත යුතුයි", "Back to Files" => "ගොනු වෙතට නැවත යන්න", diff --git a/lib/l10n/sk_SK.php b/lib/l10n/sk_SK.php index 064484cc53..64ad1e540f 100644 --- a/lib/l10n/sk_SK.php +++ b/lib/l10n/sk_SK.php @@ -5,6 +5,7 @@ "Users" => "Používatelia", "Apps" => "Aplikácie", "Admin" => "Administrátor", +"web services under your control" => "webové služby pod Vašou kontrolou", "ZIP download is turned off." => "Sťahovanie súborov ZIP je vypnuté.", "Files need to be downloaded one by one." => "Súbory musia byť nahrávané jeden za druhým.", "Back to Files" => "Späť na súbory", diff --git a/lib/l10n/sl.php b/lib/l10n/sl.php index 5b96b61267..a5b4decd61 100644 --- a/lib/l10n/sl.php +++ b/lib/l10n/sl.php @@ -5,6 +5,7 @@ "Users" => "Uporabniki", "Apps" => "Programi", "Admin" => "Skrbništvo", +"web services under your control" => "spletne storitve pod vašim nadzorom", "ZIP download is turned off." => "Prejemanje datotek v paketu ZIP je onemogočeno.", "Files need to be downloaded one by one." => "Datoteke je mogoče prejeti le posamično.", "Back to Files" => "Nazaj na datoteke", diff --git a/lib/l10n/sq.php b/lib/l10n/sq.php index 25b9f0c55c..df5e2a3174 100644 --- a/lib/l10n/sq.php +++ b/lib/l10n/sq.php @@ -5,6 +5,7 @@ "Users" => "Përdoruesit", "Apps" => "App", "Admin" => "Admin", +"web services under your control" => "shërbime web nën kontrollin tënd", "ZIP download is turned off." => "Shkarimi i skedarëve ZIP është i çaktivizuar.", "Files need to be downloaded one by one." => "Skedarët duhet të shkarkohen një nga një.", "Back to Files" => "Kthehu tek skedarët", diff --git a/lib/l10n/sr.php b/lib/l10n/sr.php index 45b8e06200..71d627e789 100644 --- a/lib/l10n/sr.php +++ b/lib/l10n/sr.php @@ -5,6 +5,7 @@ "Users" => "Корисници", "Apps" => "Апликације", "Admin" => "Администратор", +"web services under your control" => "веб сервиси под контролом", "ZIP download is turned off." => "Преузимање ZIP-а је искључено.", "Files need to be downloaded one by one." => "Датотеке морате преузимати једну по једну.", "Back to Files" => "Назад на датотеке", diff --git a/lib/l10n/sv.php b/lib/l10n/sv.php index 7b024c4b49..56776e574a 100644 --- a/lib/l10n/sv.php +++ b/lib/l10n/sv.php @@ -5,6 +5,7 @@ "Users" => "Användare", "Apps" => "Program", "Admin" => "Admin", +"web services under your control" => "webbtjänster under din kontroll", "ZIP download is turned off." => "Nerladdning av ZIP är avstängd.", "Files need to be downloaded one by one." => "Filer laddas ner en åt gången.", "Back to Files" => "Tillbaka till Filer", diff --git a/lib/l10n/ta_LK.php b/lib/l10n/ta_LK.php index c9bb578b40..9193f6f1d2 100644 --- a/lib/l10n/ta_LK.php +++ b/lib/l10n/ta_LK.php @@ -5,6 +5,7 @@ "Users" => "பயனாளர்", "Apps" => "செயலிகள்", "Admin" => "நிர்வாகம்", +"web services under your control" => "வலைய சேவைகள் உங்களுடைய கட்டுப்பாட்டின் கீழ் உள்ளது", "ZIP download is turned off." => "வீசொலிப் பூட்டு பதிவிறக்கம் நிறுத்தப்பட்டுள்ளது.", "Files need to be downloaded one by one." => "கோப்புகள்ஒன்றன் பின் ஒன்றாக பதிவிறக்கப்படவேண்டும்.", "Back to Files" => "கோப்புகளுக்கு செல்க", diff --git a/lib/l10n/th_TH.php b/lib/l10n/th_TH.php index 7cda4ab6ae..4ec6ef55f4 100644 --- a/lib/l10n/th_TH.php +++ b/lib/l10n/th_TH.php @@ -5,6 +5,7 @@ "Users" => "ผู้ใช้งาน", "Apps" => "แอปฯ", "Admin" => "ผู้ดูแล", +"web services under your control" => "เว็บเซอร์วิสที่คุณควบคุมการใช้งานได้", "ZIP download is turned off." => "คุณสมบัติการดาวน์โหลด zip ถูกปิดการใช้งานไว้", "Files need to be downloaded one by one." => "ไฟล์สามารถดาวน์โหลดได้ทีละครั้งเท่านั้น", "Back to Files" => "กลับไปที่ไฟล์", diff --git a/lib/l10n/tr.php b/lib/l10n/tr.php index 057894540c..6325ad9886 100644 --- a/lib/l10n/tr.php +++ b/lib/l10n/tr.php @@ -5,6 +5,7 @@ "Users" => "Kullanıcılar", "Apps" => "Uygulamalar", "Admin" => "Yönetici", +"web services under your control" => "Bilgileriniz güvenli ve şifreli", "ZIP download is turned off." => "ZIP indirmeleri kapatılmıştır.", "Files need to be downloaded one by one." => "Dosyaların birer birer indirilmesi gerekmektedir.", "Back to Files" => "Dosyalara dön", diff --git a/lib/l10n/uk.php b/lib/l10n/uk.php index a50b5eb264..7ff7829e1a 100644 --- a/lib/l10n/uk.php +++ b/lib/l10n/uk.php @@ -5,6 +5,7 @@ "Users" => "Користувачі", "Apps" => "Додатки", "Admin" => "Адмін", +"web services under your control" => "підконтрольні Вам веб-сервіси", "ZIP download is turned off." => "ZIP завантаження вимкнено.", "Files need to be downloaded one by one." => "Файли повинні бути завантаженні послідовно.", "Back to Files" => "Повернутися до файлів", diff --git a/lib/l10n/ur_PK.php b/lib/l10n/ur_PK.php index 7e09d79bc6..21e711c6df 100644 --- a/lib/l10n/ur_PK.php +++ b/lib/l10n/ur_PK.php @@ -4,5 +4,6 @@ "Settings" => "سیٹینگز", "Users" => "یوزرز", "Apps" => "ایپز", -"Admin" => "ایڈمن" +"Admin" => "ایڈمن", +"web services under your control" => "آپ کے اختیار میں ویب سروسیز" ); diff --git a/lib/l10n/vi.php b/lib/l10n/vi.php index 6a4b8ebac9..f2a7d669b8 100644 --- a/lib/l10n/vi.php +++ b/lib/l10n/vi.php @@ -5,6 +5,7 @@ "Users" => "Người dùng", "Apps" => "Ứng dụng", "Admin" => "Quản trị", +"web services under your control" => "dịch vụ web dưới sự kiểm soát của bạn", "ZIP download is turned off." => "Tải về ZIP đã bị tắt.", "Files need to be downloaded one by one." => "Tập tin cần phải được tải về từng người một.", "Back to Files" => "Trở lại tập tin", diff --git a/lib/l10n/zh_CN.GB2312.php b/lib/l10n/zh_CN.GB2312.php index 3ab35f2baf..4780a69eb3 100644 --- a/lib/l10n/zh_CN.GB2312.php +++ b/lib/l10n/zh_CN.GB2312.php @@ -5,6 +5,7 @@ "Users" => "用户", "Apps" => "程序", "Admin" => "管理员", +"web services under your control" => "您控制的网络服务", "ZIP download is turned off." => "ZIP 下载已关闭", "Files need to be downloaded one by one." => "需要逐个下载文件。", "Back to Files" => "返回到文件", diff --git a/lib/l10n/zh_CN.php b/lib/l10n/zh_CN.php index 8bd87cbfe7..7630f885c4 100644 --- a/lib/l10n/zh_CN.php +++ b/lib/l10n/zh_CN.php @@ -5,6 +5,7 @@ "Users" => "用户", "Apps" => "应用", "Admin" => "管理", +"web services under your control" => "您控制的web服务", "ZIP download is turned off." => "ZIP 下载已经关闭", "Files need to be downloaded one by one." => "需要逐一下载文件", "Back to Files" => "回到文件", diff --git a/lib/l10n/zh_TW.php b/lib/l10n/zh_TW.php index 43e37ad3ad..afd196f7c8 100644 --- a/lib/l10n/zh_TW.php +++ b/lib/l10n/zh_TW.php @@ -5,6 +5,7 @@ "Users" => "使用者", "Apps" => "應用程式", "Admin" => "管理", +"web services under your control" => "由您控制的網路服務", "ZIP download is turned off." => "ZIP 下載已關閉。", "Files need to be downloaded one by one." => "檔案需要逐一下載。", "Back to Files" => "回到檔案列表", diff --git a/lib/legacy/config.php b/lib/legacy/config.php new file mode 100644 index 0000000000..5294a48ea4 --- /dev/null +++ b/lib/legacy/config.php @@ -0,0 +1,103 @@ +. + * + */ +/* + * + * An example of config.php + * + * "mysql", + * "firstrun" => false, + * "pi" => 3.14 + * ); + * ?> + * + */ + +/** + * This class is responsible for reading and writing config.php, the very basic + * configuration file of ownCloud. + */ +OC_Config::$object = new \OC\Config(OC::$SERVERROOT.'/config/'); +class OC_Config { + + /** + * @var \OC\Config + */ + public static $object; + + /** + * @brief Lists all available config keys + * @return array with key names + * + * This function returns all keys saved in config.php. Please note that it + * does not return the values. + */ + public static function getKeys() { + return self::$object->getKeys(); + } + + /** + * @brief Gets a value from config.php + * @param string $key key + * @param string $default = null default value + * @return string the value or $default + * + * This function gets the value from config.php. If it does not exist, + * $default will be returned. + */ + public static function getValue($key, $default = null) { + return self::$object->getValue($key, $default); + } + + /** + * @brief Sets a value + * @param string $key key + * @param string $value value + * + * This function sets the value and writes the config.php. + * + */ + public static function setValue($key, $value) { + try { + self::$object->setValue($key, $value); + } catch (\OC\HintException $e) { + \OC_Template::printErrorPage($e->getMessage(), $e->getHint()); + } + } + + /** + * @brief Removes a key from the config + * @param string $key key + * + * This function removes a key from the config.php. + * + */ + public static function deleteKey($key) { + try { + self::$object->deleteKey($key); + } catch (\OC\HintException $e) { + \OC_Template::printErrorPage($e->getMessage(), $e->getHint()); + } + } +} diff --git a/lib/legacy/log.php b/lib/legacy/log.php index 7802ead241..027cb89e97 100644 --- a/lib/legacy/log.php +++ b/lib/legacy/log.php @@ -47,31 +47,4 @@ class OC_Log { call_user_func($func, $message, $context); } } - - //Fatal errors handler - public static function onShutdown() { - $error = error_get_last(); - if($error) { - //ob_end_clean(); - self::write('PHP', $error['message'] . ' at ' . $error['file'] . '#' . $error['line'], self::FATAL); - } else { - return true; - } - } - - // Uncaught exception handler - public static function onException($exception) { - self::write('PHP', - $exception->getMessage() . ' at ' . $exception->getFile() . '#' . $exception->getLine(), - self::FATAL); - } - - //Recoverable errors handler - public static function onError($number, $message, $file, $line) { - if (error_reporting() === 0) { - return; - } - self::write('PHP', $message . ' at ' . $file . '#' . $line, self::WARN); - - } } diff --git a/lib/legacy/updater.php b/lib/legacy/updater.php new file mode 100644 index 0000000000..eea7bb129c --- /dev/null +++ b/lib/legacy/updater.php @@ -0,0 +1,14 @@ + + * This file is licensed under the Affero General Public License version 3 or + * later. + * See the COPYING-README file. + */ + +class OC_Updater { + public static function check() { + $updater = new \OC\Updater(); + return $updater->check('http://apps.owncloud.com/updater.php'); + } +} diff --git a/lib/log/errorhandler.php b/lib/log/errorhandler.php new file mode 100644 index 0000000000..69cb960de9 --- /dev/null +++ b/lib/log/errorhandler.php @@ -0,0 +1,54 @@ + + * This file is licensed under the Affero General Public License version 3 or + * later. + * See the COPYING-README file. + */ + +namespace OC\Log; + +use OC\Log as LoggerInterface; + +class ErrorHandler { + /** @var LoggerInterface */ + private static $logger; + + public static function register() { + $handler = new ErrorHandler(); + + set_error_handler(array($handler, 'onError')); + register_shutdown_function(array($handler, 'onShutdown')); + set_exception_handler(array($handler, 'onException')); + } + + public static function setLogger(LoggerInterface $logger) { + self::$logger = $logger; + } + + //Fatal errors handler + public static function onShutdown() { + $error = error_get_last(); + if($error && self::$logger) { + //ob_end_clean(); + $msg = $error['message'] . ' at ' . $error['file'] . '#' . $error['line']; + self::$logger->critical($msg, array('app' => 'PHP')); + } + } + + // Uncaught exception handler + public static function onException($exception) { + $msg = $exception->getMessage() . ' at ' . $exception->getFile() . '#' . $exception->getLine(); + self::$logger->critical($msg, array('app' => 'PHP')); + } + + //Recoverable errors handler + public static function onError($number, $message, $file, $line) { + if (error_reporting() === 0) { + return; + } + $msg = $message . ' at ' . $file . '#' . $line; + self::$logger->warning($msg, array('app' => 'PHP')); + + } +} diff --git a/lib/memcache/apc.php b/lib/memcache/apc.php new file mode 100644 index 0000000000..575ee4427d --- /dev/null +++ b/lib/memcache/apc.php @@ -0,0 +1,67 @@ + + * This file is licensed under the Affero General Public License version 3 or + * later. + * See the COPYING-README file. + */ + +namespace OC\Memcache; + +class APC extends Cache { + /** + * entries in APC gets namespaced to prevent collisions between owncloud instances and users + */ + protected function getNameSpace() { + return $this->prefix; + } + + public function get($key) { + $result = apc_fetch($this->getNamespace() . $key, $success); + if (!$success) { + return null; + } + return $result; + } + + public function set($key, $value, $ttl = 0) { + return apc_store($this->getNamespace() . $key, $value, $ttl); + } + + public function hasKey($key) { + return apc_exists($this->getNamespace() . $key); + } + + public function remove($key) { + return apc_delete($this->getNamespace() . $key); + } + + public function clear($prefix = '') { + $ns = $this->getNamespace() . $prefix; + $cache = apc_cache_info('user'); + foreach ($cache['cache_list'] as $entry) { + if (strpos($entry['info'], $ns) === 0) { + apc_delete($entry['info']); + } + } + return true; + } + + static public function isAvailable() { + if (!extension_loaded('apc')) { + return false; + } elseif (!ini_get('apc.enable_cli') && \OC::$CLI) { + return false; + } else { + return true; + } + } +} + +if (!function_exists('apc_exists')) { + function apc_exists($keys) { + $result = false; + apc_fetch($keys, $result); + return $result; + } +} diff --git a/lib/memcache/cache.php b/lib/memcache/cache.php new file mode 100644 index 0000000000..0ad1cc7ec0 --- /dev/null +++ b/lib/memcache/cache.php @@ -0,0 +1,77 @@ + + * This file is licensed under the Affero General Public License version 3 or + * later. + * See the COPYING-README file. + */ + +namespace OC\Memcache; + +abstract class Cache implements \ArrayAccess { + /** + * @var string $prefix + */ + protected $prefix; + + /** + * @param string $prefix + */ + public function __construct($prefix = '') { + $this->prefix = \OC_Util::getInstanceId() . '/' . $prefix; + } + + public function getPrefix() { + return $this->prefix; + } + + /** + * @param string $key + * @return mixed + */ + abstract public function get($key); + + /** + * @param string $key + * @param mixed $value + * @param int $ttl + * @return mixed + */ + abstract public function set($key, $value, $ttl = 0); + + /** + * @param string $key + * @return mixed + */ + abstract public function hasKey($key); + + /** + * @param string $key + * @return mixed + */ + abstract public function remove($key); + + /** + * @param string $prefix + * @return mixed + */ + abstract public function clear($prefix = ''); + + //implement the ArrayAccess interface + + public function offsetExists($offset) { + return $this->hasKey($offset); + } + + public function offsetSet($offset, $value) { + $this->set($offset, $value); + } + + public function offsetGet($offset) { + return $this->get($offset); + } + + public function offsetUnset($offset) { + $this->remove($offset); + } +} diff --git a/lib/memcache/factory.php b/lib/memcache/factory.php new file mode 100644 index 0000000000..b1b4997103 --- /dev/null +++ b/lib/memcache/factory.php @@ -0,0 +1,38 @@ + + * This file is licensed under the Affero General Public License version 3 or + * later. + * See the COPYING-README file. + */ + +namespace OC\Memcache; + +class Factory { + /** + * get a cache instance, will return null if no backend is available + * + * @param string $prefix + * @return \OC\Memcache\Cache + */ + function create($prefix = '') { + if (XCache::isAvailable()) { + return new XCache($prefix); + } elseif (APC::isAvailable()) { + return new APC($prefix); + } elseif (Memcached::isAvailable()) { + return new Memcached($prefix); + } else { + return null; + } + } + + /** + * check if there is a memcache backend available + * + * @return bool + */ + public function isAvailable() { + return XCache::isAvailable() || APC::isAvailable() || Memcached::isAvailable(); + } +} diff --git a/lib/memcache/memcached.php b/lib/memcache/memcached.php new file mode 100644 index 0000000000..978e6c2eff --- /dev/null +++ b/lib/memcache/memcached.php @@ -0,0 +1,76 @@ + + * This file is licensed under the Affero General Public License version 3 or + * later. + * See the COPYING-README file. + */ + +namespace OC\Memcache; + +class Memcached extends Cache { + /** + * @var \Memcached $cache + */ + private static $cache = null; + + public function __construct($prefix = '') { + parent::__construct($prefix); + if (is_null(self::$cache)) { + self::$cache = new \Memcached(); + list($host, $port) = \OC_Config::getValue('memcached_server', array('localhost', 11211)); + self::$cache->addServer($host, $port); + } + } + + /** + * entries in XCache gets namespaced to prevent collisions between owncloud instances and users + */ + protected function getNameSpace() { + return $this->prefix; + } + + public function get($key) { + $result = self::$cache->get($this->getNamespace() . $key); + if ($result === false and self::$cache->getResultCode() == \Memcached::RES_NOTFOUND) { + return null; + } else { + return $result; + } + } + + public function set($key, $value, $ttl = 0) { + if ($ttl > 0) { + return self::$cache->set($this->getNamespace() . $key, $value, $ttl); + } else { + return self::$cache->set($this->getNamespace() . $key, $value); + } + } + + public function hasKey($key) { + self::$cache->get($this->getNamespace() . $key); + return self::$cache->getResultCode() !== \Memcached::RES_NOTFOUND; + } + + public function remove($key) { + return self::$cache->delete($this->getNamespace() . $key); + } + + public function clear($prefix = '') { + $prefix = $this->getNamespace() . $prefix; + $allKeys = self::$cache->getAllKeys(); + $keys = array(); + $prefixLength = strlen($prefix); + foreach ($allKeys as $key) { + if (substr($key, 0, $prefixLength) === $prefix) { + $keys[] = $key; + } + } + self::$cache->deleteMulti($keys); + return true; + } + + static public function isAvailable() { + return extension_loaded('memcached'); + } +} diff --git a/lib/cache/xcache.php b/lib/memcache/xcache.php similarity index 69% rename from lib/cache/xcache.php rename to lib/memcache/xcache.php index 9f380f870b..33de30562f 100644 --- a/lib/cache/xcache.php +++ b/lib/memcache/xcache.php @@ -6,16 +6,9 @@ * See the COPYING-README file. */ -class OC_Cache_XCache { - protected $prefix; - - public function __construct($global = false) { - $this->prefix = OC_Util::getInstanceId().'/'; - if (!$global) { - $this->prefix .= OC_User::getUser().'/'; - } - } +namespace OC\Memcache; +class XCache extends Cache { /** * entries in XCache gets namespaced to prevent collisions between owncloud instances and users */ @@ -44,13 +37,24 @@ class OC_Cache_XCache { } public function clear($prefix='') { - if(!function_exists('xcache_unset_by_prefix')) { - function xcache_unset_by_prefix($prefix) { - // Since we can't clear targetted cache, we'll clear all. :( - xcache_clear_cache(XC_TYPE_VAR, 0); - } - } xcache_unset_by_prefix($this->getNamespace().$prefix); return true; } + + static public function isAvailable(){ + if (!extension_loaded('xcache')) { + return false; + } elseif (\OC::$CLI) { + return false; + }else{ + return true; + } + } +} + +if(!function_exists('xcache_unset_by_prefix')) { + function xcache_unset_by_prefix($prefix) { + // Since we can't clear targetted cache, we'll clear all. :( + xcache_clear_cache(\XC_TYPE_VAR, 0); + } } diff --git a/lib/preferences.php b/lib/preferences.php index 5f6434bcf9..11ca760830 100644 --- a/lib/preferences.php +++ b/lib/preferences.php @@ -59,7 +59,7 @@ class OC_Preferences{ } /** - * @brief Get all apps of a user + * @brief Get all apps of an user * @param string $user user * @return array with app ids * diff --git a/lib/public/config.php b/lib/public/config.php index 8076d640b4..73476d7551 100644 --- a/lib/public/config.php +++ b/lib/public/config.php @@ -49,7 +49,7 @@ class Config { * $default will be returned. */ public static function getSystemValue( $key, $default = null ) { - return(\OC_Config::getValue( $key, $default )); + return \OC_Config::getValue( $key, $default ); } /** @@ -62,7 +62,12 @@ class Config { * not be written, false will be returned. */ public static function setSystemValue( $key, $value ) { - return(\OC_Config::setValue( $key, $value )); + try { + \OC_Config::setValue( $key, $value ); + } catch (Exception $e) { + return false; + } + return true; } /** @@ -76,7 +81,7 @@ class Config { * not exist the default value will be returned */ public static function getAppValue( $app, $key, $default = null ) { - return(\OC_Appconfig::getValue( $app, $key, $default )); + return \OC_Appconfig::getValue( $app, $key, $default ); } /** @@ -89,7 +94,12 @@ class Config { * Sets a value. If the key did not exist before it will be created. */ public static function setAppValue( $app, $key, $value ) { - return(\OC_Appconfig::setValue( $app, $key, $value )); + try { + \OC_Appconfig::setValue( $app, $key, $value ); + } catch (Exception $e) { + return false; + } + return true; } /** @@ -104,7 +114,7 @@ class Config { * not exist the default value will be returned */ public static function getUserValue( $user, $app, $key, $default = null ) { - return(\OC_Preferences::getValue( $user, $app, $key, $default )); + return \OC_Preferences::getValue( $user, $app, $key, $default ); } /** @@ -119,6 +129,11 @@ class Config { * will be added automagically. */ public static function setUserValue( $user, $app, $key, $value ) { - return(\OC_Preferences::setValue( $user, $app, $key, $value )); + try { + \OC_Preferences::setValue( $user, $app, $key, $value ); + } catch (Exception $e) { + return false; + } + return true; } } diff --git a/tests/lib/cache/xcache.php b/lib/public/image.php similarity index 68% rename from tests/lib/cache/xcache.php rename to lib/public/image.php index 43bed2db03..c6dd9a113a 100644 --- a/tests/lib/cache/xcache.php +++ b/lib/public/image.php @@ -2,8 +2,8 @@ /** * ownCloud * -* @author Robin Appelman -* @copyright 2012 Robin Appelman icewind@owncloud.com +* @author Bart Visscher +* @copyright 2013 Bart Visscher * * This library is free software; you can redistribute it and/or * modify it under the terms of the GNU AFFERO GENERAL PUBLIC LICENSE @@ -20,12 +20,10 @@ * */ -class Test_Cache_XCache extends Test_Cache { - public function setUp() { - if(!function_exists('xcache_get')) { - $this->markTestSkipped('The xcache extension is not available.'); - return; - } - $this->instance=new OC_Cache_XCache(); - } +namespace OCP; + +/** + * This class provides functions to handle images + */ +class Image extends \OC_Image { } diff --git a/lib/public/share.php b/lib/public/share.php index de7025d7b1..596a729a47 100644 --- a/lib/public/share.php +++ b/lib/public/share.php @@ -291,6 +291,29 @@ class Share { return $result->fetchRow(); } + /** + * @brief resolves reshares down to the last real share + * @param $linkItem + * @return $fileOwner + */ + public static function resolveReShare($linkItem) + { + if (isset($linkItem['parent'])) { + $parent = $linkItem['parent']; + while (isset($parent)) { + $query = \OC_DB::prepare('SELECT * FROM `*PREFIX*share` WHERE `id` = ?', 1); + $item = $query->execute(array($parent))->fetchRow(); + if (isset($item['parent'])) { + $parent = $item['parent']; + } else { + return $item; + } + } + } + return $linkItem; + } + + /** * @brief Get the shared items of item type owned by the current user * @param string Item type @@ -312,7 +335,7 @@ class Share { * @return Return depends on format */ public static function getItemShared($itemType, $itemSource, $format = self::FORMAT_NONE, - $parameters = null, $includeCollections = false) { + $parameters = null, $includeCollections = false) { return self::getItems($itemType, $itemSource, null, null, \OC_User::getUser(), $format, $parameters, -1, $includeCollections); } @@ -634,6 +657,17 @@ class Share { } $query = \OC_DB::prepare('UPDATE `*PREFIX*share` SET `permissions` = ? WHERE `id` = ?'); $query->execute(array($permissions, $item['id'])); + if ($itemType === 'file' || $itemType === 'folder') { + \OC_Hook::emit('OCP\Share', 'post_update_permissions', array( + 'itemType' => $itemType, + 'itemSource' => $itemSource, + 'shareType' => $shareType, + 'shareWith' => $shareWith, + 'uidOwner' => \OC_User::getUser(), + 'permissions' => $permissions, + 'path' => $item['path'], + )); + } // Check if permissions were removed if ($item['permissions'] & ~$permissions) { // If share permission is removed all reshares must be deleted diff --git a/lib/public/template.php b/lib/public/template.php index ccf19cf052..ab1089c332 100644 --- a/lib/public/template.php +++ b/lib/public/template.php @@ -77,12 +77,13 @@ function relative_modified_date($timestamp) { /** - * @brief Return a human readable outout for a file size. + * @brief DEPRECATED Return a human readable outout for a file size. + * @deprecated human_file_size() instead * @param $byte size of a file in byte * @returns human readable interpretation of a file size */ function simple_file_size($bytes) { - return(\simple_file_size($bytes)); + return(\human_file_size($bytes)); } diff --git a/lib/public/user.php b/lib/public/user.php index 9edebe0e7c..23ff991642 100644 --- a/lib/public/user.php +++ b/lib/public/user.php @@ -40,7 +40,7 @@ class User { * @return string uid or false */ public static function getUser() { - return \OC_USER::getUser(); + return \OC_User::getUser(); } /** @@ -50,7 +50,7 @@ class User { * Get a list of all users. */ public static function getUsers($search = '', $limit = null, $offset = null) { - return \OC_USER::getUsers(); + return \OC_User::getUsers($search, $limit, $offset); } /** @@ -58,7 +58,7 @@ class User { * @return string display name */ public static function getDisplayName($user=null) { - return \OC_USER::getDisplayName($user); + return \OC_User::getDisplayName($user); } /** @@ -68,7 +68,7 @@ class User { * Get a list of all display names and user ids. */ public static function getDisplayNames($search = '', $limit = null, $offset = null) { - return \OC_USER::getDisplayNames($search, $limit, $offset); + return \OC_User::getDisplayNames($search, $limit, $offset); } /** @@ -78,7 +78,7 @@ class User { * Checks if the user is logged in */ public static function isLoggedIn() { - return \OC_USER::isLoggedIn(); + return \OC_User::isLoggedIn(); } /** @@ -88,14 +88,14 @@ class User { * @return boolean */ public static function userExists( $uid, $excludingBackend = null ) { - return \OC_USER::userExists( $uid, $excludingBackend ); + return \OC_User::userExists( $uid, $excludingBackend ); } /** * @brief Loggs the user out including all the session data * Logout, destroys session */ public static function logout() { - \OC_USER::logout(); + \OC_User::logout(); } /** @@ -107,7 +107,7 @@ class User { * Check if the password is correct without logging in the user */ public static function checkPassword( $uid, $password ) { - return \OC_USER::checkPassword( $uid, $password ); + return \OC_User::checkPassword( $uid, $password ); } /** diff --git a/lib/public/util.php b/lib/public/util.php index 6744c2d37b..693805946e 100644 --- a/lib/public/util.php +++ b/lib/public/util.php @@ -77,6 +77,15 @@ class Util { \OC_LOG::write( $app, $message, $level ); } + /** + * @brief get l10n object + * @param string $app + * @return OC_L10N + */ + public static function getL10N( $application ) { + return \OC_L10N::get( $application ); + } + /** * @brief add a css file * @param string $url @@ -355,6 +364,20 @@ class Util { public static function sanitizeHTML( $value ) { return(\OC_Util::sanitizeHTML($value)); } + + /** + * @brief Public function to encode url parameters + * + * This function is used to encode path to file before output. + * Encoding is done according to RFC 3986 with one exception: + * Character '/' is preserved as is. + * + * @param string $component part of URI to encode + * @return string + */ + public static function encodePath($component) { + return(\OC_Util::encodePath($component)); + } /** * @brief Returns an array with all keys from input lowercased or uppercased. Numbered indices are left as is. diff --git a/lib/setup.php b/lib/setup.php index d8f4cbfbcb..05a4989097 100644 --- a/lib/setup.php +++ b/lib/setup.php @@ -1,21 +1,7 @@ hint = $hint; - parent::__construct($message, $code, $previous); - } - - public function __toString() { - return __CLASS__ . ": [{$this->code}]: {$this->message} ({$this->hint})\n"; - } - - public function getHint() { - return $this->hint; - } } class OC_Setup { @@ -199,9 +185,7 @@ class OC_Setup { $hint = $l->t('Please double check the installation guides.', 'http://doc.owncloud.org/server/5.0/admin_manual/installation.html'); - $tmpl = new OC_Template('', 'error', 'guest'); - $tmpl->assign('errors', array(1 => array('error' => $error, 'hint' => $hint))); - $tmpl->printPage(); + OC_Template::printErrorPage($error, $hint); exit(); } } diff --git a/lib/setup/oci.php b/lib/setup/oci.php index 577948766b..86b53de45a 100644 --- a/lib/setup/oci.php +++ b/lib/setup/oci.php @@ -9,8 +9,8 @@ class OCI extends AbstractDatabase { public function initialize($config) { parent::initialize($config); - if (array_key_exists('dbtablespace', $options)) { - $this->dbtablespace = $options['dbtablespace']; + if (array_key_exists('dbtablespace', $config)) { + $this->dbtablespace = $config['dbtablespace']; } else { $this->dbtablespace = 'USERS'; } @@ -31,14 +31,14 @@ class OCI extends AbstractDatabase { if(!$connection) { $e = oci_error(); if (is_array ($e) && isset ($e['message'])) { - throw new DatabaseSetupException($l->t('Oracle connection could not be established'), + throw new \DatabaseSetupException($this->trans->t('Oracle connection could not be established'), $e['message'].' Check environment: ORACLE_HOME='.getenv('ORACLE_HOME') .' ORACLE_SID='.getenv('ORACLE_SID') .' LD_LIBRARY_PATH='.getenv('LD_LIBRARY_PATH') .' NLS_LANG='.getenv('NLS_LANG') .' tnsnames.ora is '.(is_readable(getenv('ORACLE_HOME').'/network/admin/tnsnames.ora')?'':'not ').'readable'); } - throw new DatabaseSetupException($l->t('Oracle username and/or password not valid'), + throw new \DatabaseSetupException($this->trans->t('Oracle username and/or password not valid'), 'Check environment: ORACLE_HOME='.getenv('ORACLE_HOME') .' ORACLE_SID='.getenv('ORACLE_SID') .' LD_LIBRARY_PATH='.getenv('LD_LIBRARY_PATH') diff --git a/lib/template.php b/lib/template.php index ae9ea18744..9b2c1211e6 100644 --- a/lib/template.php +++ b/lib/template.php @@ -21,152 +21,20 @@ * */ -/** - * Prints an XSS escaped string - * @param string $string the string which will be escaped and printed - */ -function p($string) { - print(OC_Util::sanitizeHTML($string)); -} +require_once __DIR__.'/template/functions.php'; /** - * Prints an unescaped string - * @param string $string the string which will be printed as it is + * This class provides the templates for ownCloud. */ -function print_unescaped($string) { - print($string); -} - -/** - * @brief make OC_Helper::linkTo available as a simple function - * @param string $app app - * @param string $file file - * @param array $args array with param=>value, will be appended to the returned url - * @return string link to the file - * - * For further information have a look at OC_Helper::linkTo - */ -function link_to( $app, $file, $args = array() ) { - return OC_Helper::linkTo( $app, $file, $args ); -} - -/** - * @brief make OC_Helper::imagePath available as a simple function - * @param string $app app - * @param string $image image - * @return string link to the image - * - * For further information have a look at OC_Helper::imagePath - */ -function image_path( $app, $image ) { - return OC_Helper::imagePath( $app, $image ); -} - -/** - * @brief make OC_Helper::mimetypeIcon available as a simple function - * @param string $mimetype mimetype - * @return string link to the image - * - * For further information have a look at OC_Helper::mimetypeIcon - */ -function mimetype_icon( $mimetype ) { - return OC_Helper::mimetypeIcon( $mimetype ); -} - -/** - * @brief make OC_Helper::humanFileSize available as a simple function - * @param int $bytes size in bytes - * @return string size as string - * - * For further information have a look at OC_Helper::humanFileSize - */ -function human_file_size( $bytes ) { - return OC_Helper::humanFileSize( $bytes ); -} - -function simple_file_size($bytes) { - if ($bytes < 0) { - return '?'; - } - $mbytes = round($bytes / (1024 * 1024), 1); - if ($bytes == 0) { - return '0'; - } - if ($mbytes < 0.1) { - return '< 0.1'; - } - if ($mbytes > 1000) { - return '> 1000'; - } else { - return number_format($mbytes, 1); - } -} - -function relative_modified_date($timestamp) { - $l=OC_L10N::get('lib'); - $timediff = time() - $timestamp; - $diffminutes = round($timediff/60); - $diffhours = round($diffminutes/60); - $diffdays = round($diffhours/24); - $diffmonths = round($diffdays/31); - - if($timediff < 60) { return $l->t('seconds ago'); } - else if($timediff < 120) { return $l->t('1 minute ago'); } - else if($timediff < 3600) { return $l->t('%d minutes ago', $diffminutes); } - else if($timediff < 7200) { return $l->t('1 hour ago'); } - else if($timediff < 86400) { return $l->t('%d hours ago', $diffhours); } - else if((date('G')-$diffhours) > 0) { return $l->t('today'); } - else if((date('G')-$diffhours) > -24) { return $l->t('yesterday'); } - else if($timediff < 2678400) { return $l->t('%d days ago', $diffdays); } - else if($timediff < 5184000) { return $l->t('last month'); } - else if((date('n')-$diffmonths) > 0) { return $l->t('%d months ago', $diffmonths); } - else if($timediff < 63113852) { return $l->t('last year'); } - else { return $l->t('years ago'); } -} - -function html_select_options($options, $selected, $params=array()) { - if (!is_array($selected)) { - $selected=array($selected); - } - if (isset($params['combine']) && $params['combine']) { - $options = array_combine($options, $options); - } - $value_name = $label_name = false; - if (isset($params['value'])) { - $value_name = $params['value']; - } - if (isset($params['label'])) { - $label_name = $params['label']; - } - $html = ''; - foreach($options as $value => $label) { - if ($value_name && is_array($label)) { - $value = $label[$value_name]; - } - if ($label_name && is_array($label)) { - $label = $label[$label_name]; - } - $select = in_array($value, $selected) ? ' selected="selected"' : ''; - $html .= ''."\n"; - } - return $html; -} - -/** - * This class provides the templates for owncloud. - */ -class OC_Template{ +class OC_Template extends \OC\Template\Base { private $renderas; // Create a full page? - private $application; // template Application - private $vars; // Vars - private $template; // The path to the template - private $l10n; // The l10n-Object + private $path; // The path to the template private $headers=array(); //custom headers /** * @brief Constructor * @param string $app app providing the template - * @param string $file name of the template file (without suffix) + * @param string $name of the template file (without suffix) * @param string $renderas = ""; produce a full page * @return OC_Template object * @@ -177,13 +45,25 @@ class OC_Template{ * "admin". */ public function __construct( $app, $name, $renderas = "" ) { + // Read the selected theme from the config file + $theme = OC_Util::getTheme(); + + // Read the detected formfactor and use the right file name. + $fext = self::getFormFactorExtension(); + + $requesttoken = OC::$session ? OC_Util::callRegister() : ''; + + $parts = explode('/', $app); // fix translation when app is something like core/lostpassword + $l10n = OC_L10N::get($parts[0]); + $themeDefaults = new OC_Defaults(); + + list($path, $template) = $this->findTemplate($theme, $app, $name, $fext); + // Set the private data $this->renderas = $renderas; - $this->application = $app; - $this->vars = array(); - $this->vars['requesttoken'] = OC_Util::callRegister(); - $parts = explode('/', $app); // fix translation when app is something like core/lostpassword - $this->l10n = OC_L10N::get($parts[0]); + $this->path = $path; + + parent::__construct($template, $requesttoken, $l10n, $themeDefaults); // Some headers to enhance security header('X-XSS-Protection: 1; mode=block'); // Enforce browser based XSS filters @@ -207,7 +87,6 @@ class OC_Template{ .'media-src *'); header('Content-Security-Policy:'.$policy); // Standard - $this->findTemplate($name); } /** @@ -243,6 +122,9 @@ class OC_Template{ */ static public function getFormFactorExtension() { + if (!\OC::$session) { + return ''; + } // if the formfactor is not yet autodetected do the // autodetection now. For possible formfactors check the // detectFormfactor documentation @@ -254,13 +136,13 @@ class OC_Template{ \OC::$session->set('formfactor', $_GET['formfactor']); } $formfactor = \OC::$session->get('formfactor'); - if($formfactor=='default') { + if($formfactor==='default') { $fext=''; - }elseif($formfactor=='mobile') { + }elseif($formfactor==='mobile') { $fext='.mobile'; - }elseif($formfactor=='tablet') { + }elseif($formfactor==='tablet') { $fext='.tablet'; - }elseif($formfactor=='standalone') { + }elseif($formfactor==='standalone') { $fext='.standalone'; }else{ $fext=''; @@ -275,112 +157,23 @@ class OC_Template{ * Will select the template file for the selected theme and formfactor. * Checking all the possible locations. */ - protected function findTemplate($name) - { - // Read the selected theme from the config file - $theme = OC_Util::getTheme(); - - // Read the detected formfactor and use the right file name. - $fext = self::getFormFactorExtension(); - - $app = $this->application; + protected function findTemplate($theme, $app, $name, $fext) { // Check if it is a app template or not. - if( $app != "" ) { - // Check if the app is in the app folder or in the root - if( file_exists(OC_App::getAppPath($app)."/templates/" )) { - // Check if the template is overwritten by the selected theme - if ($this->checkPathForTemplate(OC::$SERVERROOT."/themes/$theme/apps/$app/templates/", $name, $fext)) { - }elseif ($this->checkPathForTemplate(OC_App::getAppPath($app)."/templates/", $name, $fext)) { - } - }else{ - // Check if the template is overwritten by the selected theme - if ($this->checkPathForTemplate(OC::$SERVERROOT."/themes/$theme/$app/templates/", $name, $fext)) { - }elseif ($this->checkPathForTemplate(OC::$SERVERROOT."/$app/templates/", $name, $fext)) { - }else{ - echo('template not found: template:'.$name.' formfactor:'.$fext - .' webroot:'.OC::$WEBROOT.' serverroot:'.OC::$SERVERROOT); - die(); - } - - } - }else{ - // Check if the template is overwritten by the selected theme - if ($this->checkPathForTemplate(OC::$SERVERROOT."/themes/$theme/core/templates/", $name, $fext)) { - } elseif ($this->checkPathForTemplate(OC::$SERVERROOT."/core/templates/", $name, $fext)) { - }else{ - echo('template not found: template:'.$name.' formfactor:'.$fext - .' webroot:'.OC::$WEBROOT.' serverroot:'.OC::$SERVERROOT); - die(); - } - } - } - - /** - * @brief check Path For Template with and without $fext - * @param string $path to check - * @param string $name of the template file (without suffix) - * @param string $fext formfactor extension - * @return bool true when found - * - * Will set $this->template and $this->path if there is a template at - * the specific $path - */ - protected function checkPathForTemplate($path, $name, $fext) - { - if ($name =='') return false; - $template = null; - if( is_file( $path.$name.$fext.'.php' )) { - $template = $path.$name.$fext.'.php'; - }elseif( is_file( $path.$name.'.php' )) { - $template = $path.$name.'.php'; - } - if ($template) { - $this->template = $template; - $this->path = $path; - return true; - } - return false; - } - - /** - * @brief Assign variables - * @param string $key key - * @param string $value value - * @return bool - * - * This function assigns a variable. It can be accessed via $_[$key] in - * the template. - * - * If the key existed before, it will be overwritten - */ - public function assign( $key, $value) { - $this->vars[$key] = $value; - return true; - } - - /** - * @brief Appends a variable - * @param string $key key - * @param string $value value - * @return bool - * - * This function assigns a variable in an array context. If the key already - * exists, the value will be appended. It can be accessed via - * $_[$key][$position] in the template. - */ - public function append( $key, $value ) { - if( array_key_exists( $key, $this->vars )) { - $this->vars[$key][] = $value; - } - else{ - $this->vars[$key] = array( $value ); + if( $app !== '' ) { + $dirs = $this->getAppTemplateDirs($theme, $app, OC::$SERVERROOT, OC_App::getAppPath($app)); + } else { + $dirs = $this->getCoreTemplateDirs($theme, OC::$SERVERROOT); } + $locator = new \OC\Template\TemplateFileLocator( $fext, $dirs ); + $template = $locator->find($name); + $path = $locator->getPath(); + return array($path, $template); } /** * @brief Add a custom element to the header * @param string $tag tag name of the element - * @param array $attributes array of attrobutes for the element + * @param array $attributes array of attributes for the element * @param string $text the text content for the element */ public function addHeader( $tag, $attributes, $text='') { @@ -388,31 +181,14 @@ class OC_Template{ } /** - * @brief Prints the proceeded template + * @brief Process the template * @return bool * - * This function proceeds the template and prints its output. - */ - public function printPage() { - $data = $this->fetchPage(); - if( $data === false ) { - return false; - } - else{ - print $data; - return true; - } - } - - /** - * @brief Proceeds the template - * @return bool - * - * This function proceeds the template. If $this->renderas is set, it + * This function process the template. If $this->renderas is set, it * will produce a full page. */ public function fetchPage() { - $data = $this->_fetch(); + $data = parent::fetchPage(); if( $this->renderas ) { $page = new OC_TemplateLayout($this->renderas); @@ -431,27 +207,6 @@ class OC_Template{ } } - /** - * @brief doing the actual work - * @return string content - * - * Includes the template file, fetches its output - */ - private function _fetch() { - // Register the variables - $_ = $this->vars; - $l = $this->l10n; - - // Execute the template - ob_start(); - include $this->template; // <-- we have to use include because we pass $_! - $data = ob_get_contents(); - @ob_end_clean(); - - // return the data - return $data; - } - /** * @brief Include template * @return string returns content of included template @@ -460,21 +215,7 @@ class OC_Template{ * do this. */ public function inc( $file, $additionalparams = null ) { - $_ = $this->vars; - $l = $this->l10n; - - if( !is_null($additionalparams)) { - $_ = array_merge( $additionalparams, $this->vars ); - } - - // Include - ob_start(); - include $this->path.$file.'.php'; - $data = ob_get_contents(); - @ob_end_clean(); - - // Return data - return $data; + return $this->load($this->path.$file.'.php', $additionalparams); } /** @@ -524,8 +265,8 @@ class OC_Template{ /** * @brief Print a fatal error page and terminates the script - * @param string $error The error message to show - * @param string $hint An optional hint message + * @param string $error_msg The error message to show + * @param string $hint An optional hint message * Warning: All data passed to $hint needs to get sanitized using OC_Util::sanitizeHTML */ public static function printErrorPage( $error_msg, $hint = '' ) { @@ -546,14 +287,25 @@ class OC_Template{ if ($exception->getCode()) { $error_msg = '['.$exception->getCode().'] '.$error_msg; } - $hint = $exception->getTraceAsString(); - while (method_exists($exception,'previous') && $exception = $exception->previous()) { - $error_msg .= '
    Caused by: '; - if ($exception->getCode()) { - $error_msg .= '['.$exception->getCode().'] '; + if (defined('DEBUG') and DEBUG) { + $hint = $exception->getTraceAsString(); + if (!empty($hint)) { + $hint = '
    '.$hint.'
    '; } - $error_msg .= $exception->getMessage(); - }; + $l = OC_L10N::get('lib'); + while (method_exists($exception, 'previous') && $exception = $exception->previous()) { + $error_msg .= '
    '.$l->t('Caused by:').' '; + if ($exception->getCode()) { + $error_msg .= '['.$exception->getCode().'] '; + } + $error_msg .= $exception->getMessage(); + }; + } else { + $hint = ''; + if ($exception instanceof \OC\HintException) { + $hint = $exception->getHint(); + } + } self::printErrorPage($error_msg, $hint); } } diff --git a/lib/template/base.php b/lib/template/base.php new file mode 100644 index 0000000000..88941bc713 --- /dev/null +++ b/lib/template/base.php @@ -0,0 +1,134 @@ + + * This file is licensed under the Affero General Public License version 3 or + * later. + * See the COPYING-README file. + */ + +namespace OC\Template; + +class Base { + private $template; // The template + private $vars; // Vars + private $l10n; // The l10n-Object + private $theme; // theme defaults + + public function __construct( $template, $requesttoken, $l10n, $theme ) { + $this->vars = array(); + $this->vars['requesttoken'] = $requesttoken; + $this->l10n = $l10n; + $this->template = $template; + $this->theme = $theme; + } + + protected function getAppTemplateDirs($theme, $app, $serverroot, $app_dir) { + // Check if the app is in the app folder or in the root + if( file_exists($app_dir.'/templates/' )) { + return array( + $serverroot.'/themes/'.$theme.'/apps/'.$app.'/templates/', + $app_dir.'/templates/', + ); + } + return array( + $serverroot.'/themes/'.$theme.'/'.$app.'/templates/', + $serverroot.'/'.$app.'/templates/', + ); + } + + protected function getCoreTemplateDirs($theme, $serverroot) { + return array( + $serverroot.'/themes/'.$theme.'/core/templates/', + $serverroot.'/core/templates/', + ); + } + + /** + * @brief Assign variables + * @param string $key key + * @param string $value value + * @return bool + * + * This function assigns a variable. It can be accessed via $_[$key] in + * the template. + * + * If the key existed before, it will be overwritten + */ + public function assign( $key, $value) { + $this->vars[$key] = $value; + return true; + } + + /** + * @brief Appends a variable + * @param string $key key + * @param string $value value + * @return bool + * + * This function assigns a variable in an array context. If the key already + * exists, the value will be appended. It can be accessed via + * $_[$key][$position] in the template. + */ + public function append( $key, $value ) { + if( array_key_exists( $key, $this->vars )) { + $this->vars[$key][] = $value; + } + else{ + $this->vars[$key] = array( $value ); + } + } + + /** + * @brief Prints the proceeded template + * @return bool + * + * This function proceeds the template and prints its output. + */ + public function printPage() { + $data = $this->fetchPage(); + if( $data === false ) { + return false; + } + else{ + print $data; + return true; + } + } + + /** + * @brief Process the template + * @return bool + * + * This function processes the template. + */ + public function fetchPage() { + return $this->load($this->template); + } + + /** + * @brief doing the actual work + * @return string content + * + * Includes the template file, fetches its output + */ + protected function load( $file, $additionalparams = null ) { + // Register the variables + $_ = $this->vars; + $l = $this->l10n; + $theme = $this->theme; + + if( !is_null($additionalparams)) { + $_ = array_merge( $additionalparams, $this->vars ); + } + + // Include + ob_start(); + include $file; + $data = ob_get_contents(); + @ob_end_clean(); + + // Return data + return $data; + } + +} diff --git a/lib/template/cssresourcelocator.php b/lib/template/cssresourcelocator.php new file mode 100644 index 0000000000..8e7831ca54 --- /dev/null +++ b/lib/template/cssresourcelocator.php @@ -0,0 +1,43 @@ + + * This file is licensed under the Affero General Public License version 3 or + * later. + * See the COPYING-README file. + */ + +namespace OC\Template; + +class CSSResourceLocator extends ResourceLocator { + public function doFind( $style ) { + if (strpos($style, '3rdparty') === 0 + && $this->appendIfExist($this->thirdpartyroot, $style.'.css') + || $this->appendIfExist($this->serverroot, $style.$this->form_factor.'.css') + || $this->appendIfExist($this->serverroot, $style.'.css') + || $this->appendIfExist($this->serverroot, 'core/'.$style.$this->form_factor.'.css') + || $this->appendIfExist($this->serverroot, 'core/'.$style.'.css') + ) { + return; + } + $app = substr($style, 0, strpos($style, '/')); + $style = substr($style, strpos($style, '/')+1); + $app_path = \OC_App::getAppPath($app); + $app_url = $this->webroot . '/index.php/apps/' . $app; + if ($this->appendIfExist($app_path, $style.$this->form_factor.'.css', $app_url) + || $this->appendIfExist($app_path, $style.'.css', $app_url) + ) { + return; + } + throw new \Exception('css file not found: style:'.$style); + } + + public function doFindTheme( $style ) { + $theme_dir = 'themes/'.$this->theme.'/'; + $this->appendIfExist($this->serverroot, $theme_dir.'apps/'.$style.$this->form_factor.'.css') + || $this->appendIfExist($this->serverroot, $theme_dir.'apps/'.$style.'.css') + || $this->appendIfExist($this->serverroot, $theme_dir.$style.$this->form_factor.'.css') + || $this->appendIfExist($this->serverroot, $theme_dir.$style.'.css') + || $this->appendIfExist($this->serverroot, $theme_dir.'core/'.$style.$this->form_factor.'.css') + || $this->appendIfExist($this->serverroot, $theme_dir.'core/'.$style.'.css'); + } +} diff --git a/lib/template/functions.php b/lib/template/functions.php new file mode 100644 index 0000000000..2d43cae1c0 --- /dev/null +++ b/lib/template/functions.php @@ -0,0 +1,120 @@ + + * This file is licensed under the Affero General Public License version 3 or + * later. + * See the COPYING-README file. + */ + +/** + * Prints an XSS escaped string + * @param string $string the string which will be escaped and printed + */ +function p($string) { + print(OC_Util::sanitizeHTML($string)); +} + +/** + * Prints an unescaped string + * @param string $string the string which will be printed as it is + */ +function print_unescaped($string) { + print($string); +} + +/** + * @brief make OC_Helper::linkTo available as a simple function + * @param string $app app + * @param string $file file + * @param array $args array with param=>value, will be appended to the returned url + * @return string link to the file + * + * For further information have a look at OC_Helper::linkTo + */ +function link_to( $app, $file, $args = array() ) { + return OC_Helper::linkTo( $app, $file, $args ); +} + +/** + * @brief make OC_Helper::imagePath available as a simple function + * @param string $app app + * @param string $image image + * @return string link to the image + * + * For further information have a look at OC_Helper::imagePath + */ +function image_path( $app, $image ) { + return OC_Helper::imagePath( $app, $image ); +} + +/** + * @brief make OC_Helper::mimetypeIcon available as a simple function + * @param string $mimetype mimetype + * @return string link to the image + * + * For further information have a look at OC_Helper::mimetypeIcon + */ +function mimetype_icon( $mimetype ) { + return OC_Helper::mimetypeIcon( $mimetype ); +} + +/** + * @brief make OC_Helper::humanFileSize available as a simple function + * @param int $bytes size in bytes + * @return string size as string + * + * For further information have a look at OC_Helper::humanFileSize + */ +function human_file_size( $bytes ) { + return OC_Helper::humanFileSize( $bytes ); +} + +function relative_modified_date($timestamp) { + $l=OC_L10N::get('lib'); + $timediff = time() - $timestamp; + $diffminutes = round($timediff/60); + $diffhours = round($diffminutes/60); + $diffdays = round($diffhours/24); + $diffmonths = round($diffdays/31); + + if($timediff < 60) { return $l->t('seconds ago'); } + else if($timediff < 120) { return $l->t('1 minute ago'); } + else if($timediff < 3600) { return $l->t('%d minutes ago', $diffminutes); } + else if($timediff < 7200) { return $l->t('1 hour ago'); } + else if($timediff < 86400) { return $l->t('%d hours ago', $diffhours); } + else if((date('G')-$diffhours) > 0) { return $l->t('today'); } + else if((date('G')-$diffhours) > -24) { return $l->t('yesterday'); } + else if($timediff < 2678400) { return $l->t('%d days ago', $diffdays); } + else if($timediff < 5184000) { return $l->t('last month'); } + else if((date('n')-$diffmonths) > 0) { return $l->t('%d months ago', $diffmonths); } + else if($timediff < 63113852) { return $l->t('last year'); } + else { return $l->t('years ago'); } +} + +function html_select_options($options, $selected, $params=array()) { + if (!is_array($selected)) { + $selected=array($selected); + } + if (isset($params['combine']) && $params['combine']) { + $options = array_combine($options, $options); + } + $value_name = $label_name = false; + if (isset($params['value'])) { + $value_name = $params['value']; + } + if (isset($params['label'])) { + $label_name = $params['label']; + } + $html = ''; + foreach($options as $value => $label) { + if ($value_name && is_array($label)) { + $value = $label[$value_name]; + } + if ($label_name && is_array($label)) { + $label = $label[$label_name]; + } + $select = in_array($value, $selected) ? ' selected="selected"' : ''; + $html .= ''."\n"; + } + return $html; +} diff --git a/lib/template/jsresourcelocator.php b/lib/template/jsresourcelocator.php new file mode 100644 index 0000000000..f8fe3817ce --- /dev/null +++ b/lib/template/jsresourcelocator.php @@ -0,0 +1,43 @@ + + * This file is licensed under the Affero General Public License version 3 or + * later. + * See the COPYING-README file. + */ + +namespace OC\Template; + +class JSResourceLocator extends ResourceLocator { + public function doFind( $script ) { + $theme_dir = 'themes/'.$this->theme.'/'; + if (strpos($script, '3rdparty') === 0 + && $this->appendIfExist($this->thirdpartyroot, $script.'.js') + || $this->appendIfExist($this->serverroot, $theme_dir.'apps/'.$script.$this->form_factor.'.js') + || $this->appendIfExist($this->serverroot, $theme_dir.'apps/'.$script.'.js') + || $this->appendIfExist($this->serverroot, $theme_dir.$script.$this->form_factor.'.js') + || $this->appendIfExist($this->serverroot, $theme_dir.$script.'.js') + || $this->appendIfExist($this->serverroot, $script.$this->form_factor.'.js') + || $this->appendIfExist($this->serverroot, $script.'.js') + || $this->appendIfExist($this->serverroot, $theme_dir.'core/'.$script.$this->form_factor.'.js') + || $this->appendIfExist($this->serverroot, $theme_dir.'core/'.$script.'.js') + || $this->appendIfExist($this->serverroot, 'core/'.$script.$this->form_factor.'.js') + || $this->appendIfExist($this->serverroot, 'core/'.$script.'.js') + ) { + return; + } + $app = substr($script, 0, strpos($script, '/')); + $script = substr($script, strpos($script, '/')+1); + $app_path = \OC_App::getAppPath($app); + $app_url = \OC_App::getAppWebPath($app); + if ($this->appendIfExist($app_path, $script.$this->form_factor.'.js', $app_url) + || $this->appendIfExist($app_path, $script.'.js', $app_url) + ) { + return; + } + throw new \Exception('js file not found: script:'.$script); + } + + public function doFindTheme( $script ) { + } +} diff --git a/lib/template/resourcelocator.php b/lib/template/resourcelocator.php new file mode 100644 index 0000000000..9f83673664 --- /dev/null +++ b/lib/template/resourcelocator.php @@ -0,0 +1,70 @@ + + * This file is licensed under the Affero General Public License version 3 or + * later. + * See the COPYING-README file. + */ + +namespace OC\Template; + +abstract class ResourceLocator { + protected $theme; + protected $form_factor; + + protected $mapping; + protected $serverroot; + protected $thirdpartyroot; + protected $webroot; + + protected $resources = array(); + + public function __construct( $theme, $form_factor, $core_map, $party_map ) { + $this->theme = $theme; + $this->form_factor = $form_factor; + $this->mapping = $core_map + $party_map; + $this->serverroot = key($core_map); + $this->thirdpartyroot = key($party_map); + $this->webroot = $this->mapping[$this->serverroot]; + } + + abstract public function doFind( $resource ); + abstract public function doFindTheme( $resource ); + + public function find( $resources ) { + try { + foreach($resources as $resource) { + $this->doFind($resource); + } + if (!empty($this->theme)) { + foreach($resources as $resource) { + $this->doFindTheme($resource); + } + } + } catch (\Exception $e) { + throw new \Exception($e->getMessage().' formfactor:'.$this->form_factor + .' serverroot:'.$this->serverroot); + } + } + + /* + * @brief append the $file resource if exist at $root + * @param $root path to check + * @param $file the filename + * @param $web base for path, default map $root to $webroot + */ + protected function appendIfExist($root, $file, $webroot = null) { + if (is_file($root.'/'.$file)) { + if (!$webroot) { + $webroot = $this->mapping[$root]; + } + $this->resources[] = array($root, $webroot, $file); + return true; + } + return false; + } + + public function getResources() { + return $this->resources; + } +} diff --git a/lib/template/templatefilelocator.php b/lib/template/templatefilelocator.php new file mode 100644 index 0000000000..d5a484b1a1 --- /dev/null +++ b/lib/template/templatefilelocator.php @@ -0,0 +1,44 @@ + + * This file is licensed under the Affero General Public License version 3 or + * later. + * See the COPYING-README file. + */ + +namespace OC\Template; + +class TemplateFileLocator { + protected $form_factor; + protected $dirs; + private $path; + + public function __construct( $form_factor, $dirs ) { + $this->form_factor = $form_factor; + $this->dirs = $dirs; + } + + public function find( $template ) { + if ($template === '') { + throw new \InvalidArgumentException('Empty template name'); + } + + foreach($this->dirs as $dir) { + $file = $dir.$template.$this->form_factor.'.php'; + if (is_file($file)) { + $this->path = $dir; + return $file; + } + $file = $dir.$template.'.php'; + if (is_file($file)) { + $this->path = $dir; + return $file; + } + } + throw new \Exception('template file not found: template:'.$template.' formfactor:'.$this->form_factor); + } + + public function getPath() { + return $this->path; + } +} diff --git a/lib/templatelayout.php b/lib/templatelayout.php index 7115b8f030..0024c9d496 100644 --- a/lib/templatelayout.php +++ b/lib/templatelayout.php @@ -83,21 +83,6 @@ class OC_TemplateLayout extends OC_Template { } } - /* - * @brief append the $file-url if exist at $root - * @param $files array to append file info to - * @param $root path to check - * @param $web base for path - * @param $file the filename - */ - static public function appendIfExist(&$files, $root, $webroot, $file) { - if (is_file($root.'/'.$file)) { - $files[] = array($root, $webroot, $file); - return true; - } - return false; - } - static public function findStylesheetFiles($styles) { // Read the selected theme from the config file $theme = OC_Util::getTheme(); @@ -105,51 +90,11 @@ class OC_TemplateLayout extends OC_Template { // Read the detected formfactor and use the right file name. $fext = self::getFormFactorExtension(); - $files = array(); - foreach($styles as $style) { - // is it in 3rdparty? - if(strpos($style, '3rdparty') === 0 && - self::appendIfExist($files, OC::$THIRDPARTYROOT, OC::$THIRDPARTYWEBROOT, $style.'.css')) { - - // or in the owncloud root? - }elseif(self::appendIfExist($files, OC::$SERVERROOT, OC::$WEBROOT, "$style$fext.css" )) { - }elseif(self::appendIfExist($files, OC::$SERVERROOT, OC::$WEBROOT, "$style.css" )) { - - // or in core ? - }elseif(self::appendIfExist($files, OC::$SERVERROOT, OC::$WEBROOT, "core/$style$fext.css" )) { - }elseif(self::appendIfExist($files, OC::$SERVERROOT, OC::$WEBROOT, "core/$style.css" )) { - - }else{ - $app = substr($style, 0, strpos($style, '/')); - $style = substr($style, strpos($style, '/')+1); - $app_path = OC_App::getAppPath($app); - $app_url = OC::$WEBROOT . '/index.php/apps/' . $app; - if(self::appendIfExist($files, $app_path, $app_url, "$style$fext.css")) { - } - elseif(self::appendIfExist($files, $app_path, $app_url, "$style.css")) { - } - else { - echo('css file not found: style:'.$style.' formfactor:'.$fext - .' webroot:'.OC::$WEBROOT.' serverroot:'.OC::$SERVERROOT); - die(); - } - } - } - // Add the theme css files. you can override the default values here - if(!empty($theme)) { - foreach($styles as $style) { - if(self::appendIfExist($files, OC::$SERVERROOT, OC::$WEBROOT, "themes/$theme/apps/$style$fext.css" )) { - }elseif(self::appendIfExist($files, OC::$SERVERROOT, OC::$WEBROOT, "themes/$theme/apps/$style.css" )) { - - }elseif(self::appendIfExist($files, OC::$SERVERROOT, OC::$WEBROOT, "themes/$theme/$style$fext.css" )) { - }elseif(self::appendIfExist($files, OC::$SERVERROOT, OC::$WEBROOT, "themes/$theme/$style.css" )) { - - }elseif(self::appendIfExist($files, OC::$SERVERROOT, OC::$WEBROOT, "themes/$theme/core/$style$fext.css" )) { - }elseif(self::appendIfExist($files, OC::$SERVERROOT, OC::$WEBROOT, "themes/$theme/core/$style.css" )) { - } - } - } - return $files; + $locator = new \OC\Template\CSSResourceLocator( $theme, $fext, + array( OC::$SERVERROOT => OC::$WEBROOT ), + array( OC::$THIRDPARTYROOT => OC::$THIRDPARTYWEBROOT )); + $locator->find($styles); + return $locator->getResources(); } static public function findJavascriptFiles($scripts) { @@ -159,49 +104,10 @@ class OC_TemplateLayout extends OC_Template { // Read the detected formfactor and use the right file name. $fext = self::getFormFactorExtension(); - $files = array(); - foreach($scripts as $script) { - // Is it in 3rd party? - if(strpos($script, '3rdparty') === 0 && - self::appendIfExist($files, OC::$THIRDPARTYROOT, OC::$THIRDPARTYWEBROOT, $script.'.js')) { - - // Is it in apps and overwritten by the theme? - }elseif(self::appendIfExist($files, OC::$SERVERROOT, OC::$WEBROOT, "themes/$theme/apps/$script$fext.js" )) { - }elseif(self::appendIfExist($files, OC::$SERVERROOT, OC::$WEBROOT, "themes/$theme/apps/$script.js" )) { - - // Is it in the owncloud root but overwritten by the theme? - }elseif(self::appendIfExist($files, OC::$SERVERROOT, OC::$WEBROOT, "themes/$theme/$script$fext.js" )) { - }elseif(self::appendIfExist($files, OC::$SERVERROOT, OC::$WEBROOT, "themes/$theme/$script.js" )) { - - // Is it in the owncloud root ? - }elseif(self::appendIfExist($files, OC::$SERVERROOT, OC::$WEBROOT, "$script$fext.js" )) { - }elseif(self::appendIfExist($files, OC::$SERVERROOT, OC::$WEBROOT, "$script.js" )) { - - // Is in core but overwritten by a theme? - }elseif(self::appendIfExist($files, OC::$SERVERROOT, OC::$WEBROOT, "themes/$theme/core/$script$fext.js" )) { - }elseif(self::appendIfExist($files, OC::$SERVERROOT, OC::$WEBROOT, "themes/$theme/core/$script.js" )) { - - // Is it in core? - }elseif(self::appendIfExist($files, OC::$SERVERROOT, OC::$WEBROOT, "core/$script$fext.js" )) { - }elseif(self::appendIfExist($files, OC::$SERVERROOT, OC::$WEBROOT, "core/$script.js" )) { - - }else{ - // Is it part of an app? - $app = substr($script, 0, strpos($script, '/')); - $script = substr($script, strpos($script, '/')+1); - $app_path = OC_App::getAppPath($app); - $app_url = OC_App::getAppWebPath($app); - if(self::appendIfExist($files, $app_path, $app_url, "$script$fext.js")) { - } - elseif(self::appendIfExist($files, $app_path, $app_url, "$script.js")) { - } - else { - echo('js file not found: script:'.$script.' formfactor:'.$fext - .' webroot:'.OC::$WEBROOT.' serverroot:'.OC::$SERVERROOT); - die(); - } - } - } - return $files; + $locator = new \OC\Template\JSResourceLocator( $theme, $fext, + array( OC::$SERVERROOT => OC::$WEBROOT ), + array( OC::$THIRDPARTYROOT => OC::$THIRDPARTYWEBROOT )); + $locator->find($scripts); + return $locator->getResources(); } } diff --git a/lib/updater.php b/lib/updater.php index 9081bfc4be..df7332a96a 100644 --- a/lib/updater.php +++ b/lib/updater.php @@ -1,56 +1,67 @@ . - * + * Copyright (c) 2013 Robin Appelman + * This file is licensed under the Affero General Public License version 3 or + * later. + * See the COPYING-README file. */ +namespace OC; +use OC\Hooks\BasicEmitter; + /** - * Class that handels autoupdating of ownCloud + * Class that handles autoupdating of ownCloud + * + * Hooks provided in scope \OC\Updater + * - maintenanceStart() + * - maintenanceEnd() + * - dbUpgrade() + * - filecacheStart() + * - filecacheProgress(int $percentage) + * - filecacheDone() + * - failure(string $message) */ -class OC_Updater{ +class Updater extends BasicEmitter { + + /** + * @var \OC\Log $log + */ + private $log; + + /** + * @param \OC\Log $log + */ + public function __construct($log = null) { + $this->log = $log; + } /** * Check if a new version is available + * @param string $updateUrl the url to check, i.e. 'http://apps.owncloud.com/updater.php' + * @return array | bool */ - public static function check() { + public function check($updaterUrl) { // Look up the cache - it is invalidated all 30 minutes - if((OC_Appconfig::getValue('core', 'lastupdatedat') + 1800) > time()) { - return json_decode(OC_Appconfig::getValue('core', 'lastupdateResult'), true); + if ((\OC_Appconfig::getValue('core', 'lastupdatedat') + 1800) > time()) { + return json_decode(\OC_Appconfig::getValue('core', 'lastupdateResult'), true); } - OC_Appconfig::setValue('core', 'lastupdatedat', time()); + \OC_Appconfig::setValue('core', 'lastupdatedat', time()); - if(OC_Appconfig::getValue('core', 'installedat', '')=='') { - OC_Appconfig::setValue('core', 'installedat', microtime(true)); + if (\OC_Appconfig::getValue('core', 'installedat', '') == '') { + \OC_Appconfig::setValue('core', 'installedat', microtime(true)); } - $updaterurl='http://apps.owncloud.com/updater.php'; - $version=OC_Util::getVersion(); - $version['installed']=OC_Appconfig::getValue('core', 'installedat'); - $version['updated']=OC_Appconfig::getValue('core', 'lastupdatedat'); - $version['updatechannel']='stable'; - $version['edition']=OC_Util::getEditionString(); - $versionstring=implode('x', $version); + $version = \OC_Util::getVersion(); + $version['installed'] = \OC_Appconfig::getValue('core', 'installedat'); + $version['updated'] = \OC_Appconfig::getValue('core', 'lastupdatedat'); + $version['updatechannel'] = 'stable'; + $version['edition'] = \OC_Util::getEditionString(); + $versionString = implode('x', $version); //fetch xml data from updater - $url=$updaterurl.'?version='.$versionstring; + $url = $updaterUrl . '?version=' . $versionString; // set a sensible timeout of 10 sec to stay responsive even if the update server is down. $ctx = stream_context_create( @@ -60,21 +71,89 @@ class OC_Updater{ ) ) ); - $xml=@file_get_contents($url, 0, $ctx); - if($xml==false) { + $xml = @file_get_contents($url, 0, $ctx); + if ($xml == false) { return array(); } - $data=@simplexml_load_string($xml); + $data = @simplexml_load_string($xml); - $tmp=array(); + $tmp = array(); $tmp['version'] = $data->version; $tmp['versionstring'] = $data->versionstring; $tmp['url'] = $data->url; $tmp['web'] = $data->web; // Cache the result - OC_Appconfig::setValue('core', 'lastupdateResult', json_encode($data)); + \OC_Appconfig::setValue('core', 'lastupdateResult', json_encode($data)); return $tmp; } -} \ No newline at end of file + + /** + * runs the update actions in maintenance mode, does not upgrade the source files + */ + public function upgrade() { + \OC_DB::enableCaching(false); + \OC_Config::setValue('maintenance', true); + $installedVersion = \OC_Config::getValue('version', '0.0.0'); + $currentVersion = implode('.', \OC_Util::getVersion()); + if ($this->log) { + $this->log->debug('starting upgrade from ' . $installedVersion . ' to ' . $currentVersion, array('app' => 'core')); + } + $this->emit('\OC\Updater', 'maintenanceStart'); + try { + \OC_DB::updateDbFromStructure(\OC::$SERVERROOT . '/db_structure.xml'); + $this->emit('\OC\Updater', 'dbUpgrade'); + + // do a file cache upgrade for users with files + // this can take loooooooooooooooooooooooong + $this->upgradeFileCache(); + } catch (\Exception $exception) { + $this->emit('\OC\Updater', 'failure', array($exception->getMessage())); + } + \OC_Config::setValue('version', implode('.', \OC_Util::getVersion())); + \OC_App::checkAppsRequirements(); + // load all apps to also upgrade enabled apps + \OC_App::loadApps(); + \OC_Config::setValue('maintenance', false); + $this->emit('\OC\Updater', 'maintenanceEnd'); + } + + private function upgradeFileCache() { + try { + $query = \OC_DB::prepare(' + SELECT DISTINCT `user` + FROM `*PREFIX*fscache` + '); + $result = $query->execute(); + } catch (\Exception $e) { + return; + } + $users = $result->fetchAll(); + if (count($users) == 0) { + return; + } + $step = 100 / count($users); + $percentCompleted = 0; + $lastPercentCompletedOutput = 0; + $startInfoShown = false; + foreach ($users as $userRow) { + $user = $userRow['user']; + \OC\Files\Filesystem::initMountPoints($user); + \OC\Files\Cache\Upgrade::doSilentUpgrade($user); + if (!$startInfoShown) { + //We show it only now, because otherwise Info about upgraded apps + //will appear between this and progress info + $this->emit('\OC\Updater', 'filecacheStart'); + $startInfoShown = true; + } + $percentCompleted += $step; + $out = floor($percentCompleted); + if ($out != $lastPercentCompletedOutput) { + $this->emit('\OC\Updater', 'filecacheProgress', array($out)); + $lastPercentCompletedOutput = $out; + } + } + $this->emit('\OC\Updater', 'filecacheDone'); + } +} diff --git a/lib/user.php b/lib/user.php index 830f13bb8d..ee20f2e097 100644 --- a/lib/user.php +++ b/lib/user.php @@ -39,7 +39,7 @@ class OC_User { public static $userSession = null; - private static function getUserSession() { + public static function getUserSession() { if (!self::$userSession) { $manager = new \OC\User\Manager(); self::$userSession = new \OC\User\Session($manager, \OC::$session); @@ -83,7 +83,7 @@ class OC_User { /** * @return \OC\User\Manager */ - private static function getManager() { + public static function getManager() { return self::getUserSession()->getManager(); } @@ -316,7 +316,7 @@ class OC_User { * @return string uid or false */ public static function getUser() { - $uid = OC::$session->get('user_id'); + $uid = OC::$session ? OC::$session->get('user_id') : null; if (!is_null($uid)) { return $uid; } else { diff --git a/lib/user/manager.php b/lib/user/manager.php index d17cdf1a20..8dc9bfe272 100644 --- a/lib/user/manager.php +++ b/lib/user/manager.php @@ -30,6 +30,9 @@ class Manager extends PublicEmitter { */ private $backends = array(); + /** + * @var \OC\User\User[] $cachedUsers + */ private $cachedUsers = array(); public function __construct() { diff --git a/lib/user/session.php b/lib/user/session.php index cf93d9593a..9a6c669e93 100644 --- a/lib/user/session.php +++ b/lib/user/session.php @@ -166,8 +166,8 @@ class Session implements Emitter { unset($_COOKIE["oc_username"]); //TODO: DI unset($_COOKIE["oc_token"]); unset($_COOKIE["oc_remember_login"]); - setcookie("oc_username", null, -1); - setcookie("oc_token", null, -1); - setcookie("oc_remember_login", null, -1); + setcookie('oc_username', '', time()-3600, \OC::$WEBROOT); + setcookie('oc_token', '', time()-3600, \OC::$WEBROOT); + setcookie('oc_remember_login', '', time()-3600, \OC::$WEBROOT); } } diff --git a/lib/user/user.php b/lib/user/user.php index 55d7848a97..8115c43198 100644 --- a/lib/user/user.php +++ b/lib/user/user.php @@ -44,7 +44,7 @@ class User { */ public function __construct($uid, $backend, $emitter = null) { $this->uid = $uid; - if ($backend->implementsActions(OC_USER_BACKEND_GET_DISPLAYNAME)) { + if ($backend and $backend->implementsActions(OC_USER_BACKEND_GET_DISPLAYNAME)) { $this->displayName = $backend->getDisplayName($uid); } else { $this->displayName = $uid; diff --git a/lib/util.php b/lib/util.php index 4bc02daf36..2586ad2832 100755 --- a/lib/util.php +++ b/lib/util.php @@ -1,7 +1,5 @@ getDocBaseUrl() . '/server/5.0/admin_manual/installation/installation_source.html#set-the-directory-permissions" target="_blank">giving the webserver write access to the root directory.'; // Check if config folder is writable. if(!is_writable(OC::$SERVERROOT."/config/") or !is_readable(OC::$SERVERROOT."/config/")) { - $errors[]=array('error'=>"Can't write into config directory 'config'", - 'hint'=>'You can usually fix this by giving the webserver user write access' - .' to the config directory in owncloud'); + $errors[] = array( + 'error' => "Can't write into config directory", + 'hint' => 'This can usually be fixed by ' + .'giving the webserver write access to the config directory.' + ); } // Check if there is a writable install folder. @@ -199,9 +201,12 @@ class OC_Util { if( OC_App::getInstallPath() === null || !is_writable(OC_App::getInstallPath()) || !is_readable(OC_App::getInstallPath()) ) { - $errors[]=array('error'=>"Can't write into apps directory", - 'hint'=>'You can usually fix this by giving the webserver user write access' - .' to the apps directory in owncloud or disabling the appstore in the config file.'); + $errors[] = array( + 'error' => "Can't write into apps directory", + 'hint' => 'This can usually be fixed by ' + .'giving the webserver write access to the apps directory ' + .'or disabling the appstore in the config file.' + ); } } $CONFIG_DATADIRECTORY = OC_Config::getValue( "datadirectory", OC::$SERVERROOT."/data" ); @@ -211,10 +216,11 @@ class OC_Util { if ($success) { $errors = array_merge($errors, self::checkDataDirectoryPermissions($CONFIG_DATADIRECTORY)); } else { - $errors[]=array('error'=>"Can't create data directory (".$CONFIG_DATADIRECTORY.")", - 'hint'=>"You can usually fix this by giving the webserver write access to the ownCloud directory '" - .OC::$SERVERROOT."' (in a terminal, use the command " - ."'chown -R www-data:www-data /path/to/your/owncloud/install/data' "); + $errors[] = array( + 'error' => "Can't create data directory (".$CONFIG_DATADIRECTORY.")", + 'hint' => 'This can usually be fixed by ' + .'giving the webserver write access to the root directory.' + ); } } else if(!is_writable($CONFIG_DATADIRECTORY) or !is_readable($CONFIG_DATADIRECTORY)) { $errors[]=array('error'=>'Data directory ('.$CONFIG_DATADIRECTORY.') not writable by ownCloud', @@ -531,7 +537,22 @@ class OC_Util { } return $value; } - + + /** + * @brief Public function to encode url parameters + * + * This function is used to encode path to file before output. + * Encoding is done according to RFC 3986 with one exception: + * Character '/' is preserved as is. + * + * @param string $component part of URI to encode + * @return string + */ + public static function encodePath($component) { + $encoded = rawurlencode($component); + $encoded = str_replace('%2F', '/', $encoded); + return $encoded; + } /** * Check if the htaccess file is working by creating a test file in the data directory and trying to access via http diff --git a/search/css/results.css b/search/css/results.css index c6329a2c02..2f092f3789 100644 --- a/search/css/results.css +++ b/search/css/results.css @@ -17,6 +17,10 @@ width:26.5em; z-index:75; } + + .ie8 #searchresults { + border: 1px solid #666 !important; + } #searchresults li.resultHeader { background-color:#eee; diff --git a/settings/admin.php b/settings/admin.php index db041ef889..10e239204f 100755 --- a/settings/admin.php +++ b/settings/admin.php @@ -32,15 +32,16 @@ $tmpl->assign('backgroundjobs_mode', OC_Appconfig::getValue('core', 'backgroundj $tmpl->assign('shareAPIEnabled', OC_Appconfig::getValue('core', 'shareapi_enabled', 'yes')); // Check if connected using HTTPS -if (OC_Request::serverProtocol() == 'https') { +if (OC_Request::serverProtocol() === 'https') { $connectedHTTPS = true; } else { $connectedHTTPS = false; } $tmpl->assign('isConnectedViaHTTPS', $connectedHTTPS); -$tmpl->assign('enforceHTTPSEnabled', OC_Config::getValue( "forcessl", false)); +$tmpl->assign('enforceHTTPSEnabled', OC_Config::getValue( "forcessl", false)); $tmpl->assign('allowLinks', OC_Appconfig::getValue('core', 'shareapi_allow_links', 'yes')); +$tmpl->assign('allowPublicUpload', OC_Appconfig::getValue('core', 'shareapi_allow_public_upload', 'yes')); $tmpl->assign('allowResharing', OC_Appconfig::getValue('core', 'shareapi_allow_resharing', 'yes')); $tmpl->assign('sharePolicy', OC_Appconfig::getValue('core', 'shareapi_share_policy', 'global')); $tmpl->assign('forms', array()); diff --git a/settings/ajax/apps/ocs.php b/settings/ajax/apps/ocs.php index 9c5adfcfef..b68083fca6 100644 --- a/settings/ajax/apps/ocs.php +++ b/settings/ajax/apps/ocs.php @@ -33,18 +33,18 @@ if(is_array($categoryNames)) { // show only external apps that aren't enabled yet $local=false; foreach($enabledApps as $a) { - if($a == $app['name']) { + if($a === $app['name']) { $local=true; } } if(!$local) { - if($app['preview']=='') { + if($app['preview'] === '') { $pre=OC_Helper::imagePath('settings', 'trans.png'); } else { $pre=$app['preview']; } - if($app['label']=='recommended') { + if($app['label'] === 'recommended') { $label='3rd Party'; } else { $label='Recommended'; diff --git a/settings/ajax/changedisplayname.php b/settings/ajax/changedisplayname.php index faf962fbdd..4bb41fa3d3 100644 --- a/settings/ajax/changedisplayname.php +++ b/settings/ajax/changedisplayname.php @@ -17,7 +17,7 @@ if(OC_SubAdmin::isUserAccessible(OC_User::getUser(), $username)) { $userstatus = 'subadmin'; } -if ($username == OC_User::getUser() && OC_User::canUserChangeDisplayName($username)) { +if ($username === OC_User::getUser() && OC_User::canUserChangeDisplayName($username)) { $userstatus = 'changeOwnDisplayName'; } diff --git a/settings/ajax/createuser.php b/settings/ajax/createuser.php index 56653bed6b..205958f88d 100644 --- a/settings/ajax/createuser.php +++ b/settings/ajax/createuser.php @@ -16,7 +16,7 @@ if(OC_User::isAdminUser(OC_User::getUser())) { $groups[] = $group; } } - if(count($groups) == 0) { + if(count($groups) === 0) { $groups = OC_SubAdmin::getSubAdminsGroups(OC_User::getUser()); } }else{ diff --git a/settings/ajax/getlog.php b/settings/ajax/getlog.php index da69a2863b..e715141928 100644 --- a/settings/ajax/getlog.php +++ b/settings/ajax/getlog.php @@ -16,6 +16,6 @@ $data = array(); OC_JSON::success( array( "data" => $entries, - "remain"=>(count(OC_Log_Owncloud::getEntries(1, $offset + $count)) != 0) ? true : false + "remain"=>(count(OC_Log_Owncloud::getEntries(1, $offset + $count)) !== 0) ? true : false ) ); diff --git a/settings/ajax/setlanguage.php b/settings/ajax/setlanguage.php index aebb1b31b6..94773f3dc7 100644 --- a/settings/ajax/setlanguage.php +++ b/settings/ajax/setlanguage.php @@ -10,7 +10,7 @@ OCP\JSON::callCheck(); if( isset( $_POST['lang'] ) ) { $languageCodes=OC_L10N::findAvailableLanguages(); $lang=$_POST['lang']; - if(array_search($lang, $languageCodes) or $lang=='en') { + if(array_search($lang, $languageCodes) or $lang === 'en') { OC_Preferences::setValue( OC_User::getUser(), 'core', 'lang', $lang ); OC_JSON::success(array("data" => array( "message" => $l->t("Language changed") ))); }else{ diff --git a/settings/ajax/setquota.php b/settings/ajax/setquota.php index 8dcb7ddd42..2e6de2b759 100644 --- a/settings/ajax/setquota.php +++ b/settings/ajax/setquota.php @@ -10,7 +10,7 @@ OCP\JSON::callCheck(); $username = isset($_POST["username"])?$_POST["username"]:''; -if(($username == '' && !OC_User::isAdminUser(OC_User::getUser())) +if(($username === '' && !OC_User::isAdminUser(OC_User::getUser())) || (!OC_User::isAdminUser(OC_User::getUser()) && !OC_SubAdmin::isUserAccessible(OC_User::getUser(), $username))) { $l = OC_L10N::get('core'); @@ -20,7 +20,7 @@ if(($username == '' && !OC_User::isAdminUser(OC_User::getUser())) //make sure the quota is in the expected format $quota=$_POST["quota"]; -if($quota!='none' and $quota!='default') { +if($quota !== 'none' and $quota !== 'default') { $quota= OC_Helper::computerFileSize($quota); $quota=OC_Helper::humanFileSize($quota); } @@ -29,7 +29,7 @@ if($quota!='none' and $quota!='default') { if($username) { OC_Preferences::setValue($username, 'files', 'quota', $quota); }else{//set the default quota when no username is specified - if($quota=='default') {//'default' as default quota makes no sense + if($quota === 'default') {//'default' as default quota makes no sense $quota='none'; } OC_Appconfig::setValue('files', 'default_quota', $quota); diff --git a/settings/ajax/togglegroups.php b/settings/ajax/togglegroups.php index f6fd9aba6d..6963f9eb43 100644 --- a/settings/ajax/togglegroups.php +++ b/settings/ajax/togglegroups.php @@ -7,7 +7,7 @@ $success = true; $username = $_POST["username"]; $group = $_POST["group"]; -if($username == OC_User::getUser() && $group == "admin" && OC_User::isAdminUser($username)) { +if($username === OC_User::getUser() && $group === "admin" && OC_User::isAdminUser($username)) { $l = OC_L10N::get('core'); OC_JSON::error(array( 'data' => array( 'message' => $l->t('Admins can\'t remove themself from the admin group')))); exit(); @@ -36,7 +36,7 @@ if( OC_Group::inGroup( $username, $group )) { $error = $l->t("Unable to remove user from group %s", $group); $success = OC_Group::removeFromGroup( $username, $group ); $usersInGroup=OC_Group::usersInGroup($group); - if(count($usersInGroup)==0) { + if(count($usersInGroup) === 0) { OC_Group::deleteGroup($group); } } diff --git a/settings/apps.php b/settings/apps.php index 44cfff7e3f..20b1288755 100644 --- a/settings/apps.php +++ b/settings/apps.php @@ -30,13 +30,13 @@ OC_App::setActiveNavigationEntry( "core_apps" ); function app_sort( $a, $b ) { - if ($a['active'] != $b['active']) { + if ($a['active'] !== $b['active']) { return $b['active'] - $a['active']; } - if ($a['internal'] != $b['internal']) { + if ($a['internal'] !== $b['internal']) { return $b['internal'] - $a['internal']; } diff --git a/settings/help.php b/settings/help.php index a5ac11ec9a..713b23f785 100644 --- a/settings/help.php +++ b/settings/help.php @@ -13,7 +13,7 @@ OC_Util::addStyle( "settings", "settings" ); OC_App::setActiveNavigationEntry( "help" ); -if(isset($_GET['mode']) and $_GET['mode']=='admin') { +if(isset($_GET['mode']) and $_GET['mode'] === 'admin') { $url=OC_Helper::linkToAbsolute( 'core', 'doc/admin' ); $style1=''; $style2=' pressed'; diff --git a/settings/js/admin.js b/settings/js/admin.js index ab218377fb..f2d6f37a51 100644 --- a/settings/js/admin.js +++ b/settings/js/admin.js @@ -8,7 +8,7 @@ $(document).ready(function(){ $('#backgroundjobs input').change(function(){ if($(this).attr('checked')){ var mode = $(this).val(); - if (mode == 'ajax' || mode == 'webcron' || mode == 'cron') { + if (mode === 'ajax' || mode === 'webcron' || mode === 'cron') { OC.AppConfig.setValue('core', 'backgroundjobs_mode', mode); } } @@ -19,7 +19,7 @@ $(document).ready(function(){ }); $('#shareAPI input').change(function() { - if ($(this).attr('type') == 'checkbox') { + if ($(this).attr('type') === 'checkbox') { if (this.checked) { var value = 'yes'; } else { diff --git a/settings/js/apps.js b/settings/js/apps.js index 1ee3372f89..0540d9b1c5 100644 --- a/settings/js/apps.js +++ b/settings/js/apps.js @@ -29,7 +29,7 @@ OC.Settings.Apps = OC.Settings.Apps || { page.find('span.author').text(app.author); page.find('span.licence').text(app.licence); - if (app.update != false) { + if (app.update !== false) { page.find('input.update').show(); page.find('input.update').data('appid', app.id); page.find('input.update').attr('value',t('settings', 'Update to {appversion}', {appversion:app.update})); @@ -41,7 +41,7 @@ OC.Settings.Apps = OC.Settings.Apps || { page.find('input.enable').val((app.active) ? t('settings', 'Disable') : t('settings', 'Enable')); page.find('input.enable').data('appid', app.id); page.find('input.enable').data('active', app.active); - if (app.internal == false) { + if (app.internal === false) { page.find('span.score').show(); page.find('p.appslink').show(); page.find('a').attr('href', 'http://apps.owncloud.com/content/show.php?content=' + app.id); @@ -60,7 +60,7 @@ OC.Settings.Apps = OC.Settings.Apps || { element.val(t('settings','Please wait....')); if(active) { $.post(OC.filePath('settings','ajax','disableapp.php'),{appid:appid},function(result) { - if(!result || result.status!='success') { + if(!result || result.status !== 'success') { OC.dialogs.alert('Error while disabling app', t('core', 'Error')); } else { @@ -72,7 +72,7 @@ OC.Settings.Apps = OC.Settings.Apps || { $('#leftcontent li[data-id="'+appid+'"]').removeClass('active'); } else { $.post(OC.filePath('settings','ajax','enableapp.php'),{appid:appid},function(result) { - if(!result || result.status!='success') { + if(!result || result.status !== 'success') { OC.dialogs.alert('Error while enabling app', t('core', 'Error')); } else { @@ -94,7 +94,7 @@ OC.Settings.Apps = OC.Settings.Apps || { console.log('updateApp:', appid, element); element.val(t('settings','Updating....')); $.post(OC.filePath('settings','ajax','updateapp.php'),{appid:appid},function(result) { - if(!result || result.status!='success') { + if(!result || result.status !== 'success') { OC.dialogs.alert(t('settings','Error while updating app'),t('settings','Error')); } else { @@ -171,7 +171,7 @@ $(document).ready(function(){ $(this).find('span.hidden').remove(); }); $('#leftcontent li').keydown(function(event) { - if (event.which == 13 || event.which == 32) { + if (event.which === 13 || event.which === 32) { $(event.target).click(); } return false; diff --git a/settings/js/log.js b/settings/js/log.js index 84f6d1aa5f..1ef9b419cd 100644 --- a/settings/js/log.js +++ b/settings/js/log.js @@ -19,7 +19,7 @@ OC.Log={ getMore:function(count){ count = count || 10; $.get(OC.filePath('settings','ajax','getlog.php'),{offset:OC.Log.loaded,count:count},function(result){ - if(result.status=='success'){ + if(result.status === 'success'){ OC.Log.addEntries(result.data); if(!result.remain){ $('#moreLog').hide(); diff --git a/settings/js/users.js b/settings/js/users.js index 9fe593214f..6a8afc4ca3 100644 --- a/settings/js/users.js +++ b/settings/js/users.js @@ -67,7 +67,7 @@ var UserList = { async: false, data: { username: UserList.deleteUid }, success: function (result) { - if (result.status == 'success') { + if (result.status === 'success') { // Remove undo option, & remove user from table OC.Notification.hide(); $('tr').filterAttr('data-uid', UserList.deleteUid).remove(); @@ -76,7 +76,7 @@ var UserList = { ready(); } } else { - oc.dialogs.alert(result.data.message, t('settings', 'Unable to remove user')); + OC.dialogs.alert(result.data.message, t('settings', 'Unable to remove user')); } } }); @@ -97,7 +97,7 @@ var UserList = { } $.each(this.availableGroups, function (i, group) { groupsSelect.append($('')); - if (typeof subadminSelect !== 'undefined' && group != 'admin') { + if (typeof subadminSelect !== 'undefined' && group !== 'admin') { subadminSelect.append($('')); } }); @@ -107,7 +107,7 @@ var UserList = { tr.find('td.subadmins').append(subadminSelect); UserList.applyMultiplySelect(subadminSelect); } - if (tr.find('td.remove img').length == 0 && OC.currentUser != username) { + if (tr.find('td.remove img').length === 0 && OC.currentUser !== username) { var rm_img = $('').attr({ src: OC.imagePath('core', 'actions/delete') }); @@ -115,11 +115,11 @@ var UserList = { .attr({ href: '#', 'original-title': t('settings', 'Delete')}) .append(rm_img); tr.find('td.remove').append(rm_link); - } else if (OC.currentUser == username) { + } else if (OC.currentUser === username) { tr.find('td.remove a').remove(); } var quotaSelect = tr.find('select.quota-user'); - if (quota == 'default') { + if (quota === 'default') { quotaSelect.find('option').attr('selected', null); quotaSelect.find('option').first().attr('selected', 'selected'); quotaSelect.data('previous', 'default'); @@ -148,7 +148,7 @@ var UserList = { var tz = [], x = 0, y = -1, n = 0, i, j; while (i = (j = t.charAt(x++)).charCodeAt(0)) { - var m = (i == 46 || (i >=48 && i <= 57)); + var m = (i === 46 || (i >=48 && i <= 57)); if (m !== n) { tz[++y] = ""; n = m; @@ -164,7 +164,7 @@ var UserList = { for (x = 0; aa[x] && bb[x]; x++) { if (aa[x] !== bb[x]) { var c = Number(aa[x]), d = Number(bb[x]); - if (c == aa[x] && d == bb[x]) { + if (c === aa[x] && d === bb[x]) { return c - d; } else return (aa[x] > bb[x]) ? 1 : -1; } @@ -207,7 +207,7 @@ var UserList = { return true; } var tr = UserList.add(user.name, user.displayname, user.groups, user.subadmin, user.quota, false); - if (index == 9) { + if (index === 9) { $(tr).bind('inview', function (event, isInView, visiblePartX, visiblePartY) { $(this).unbind(event); UserList.update(); @@ -225,16 +225,16 @@ var UserList = { applyMultiplySelect: function (element) { var checked = []; var user = element.attr('data-username'); - if ($(element).attr('class') == 'groupsselect') { + if ($(element).attr('class') === 'groupsselect') { if (element.data('userGroups')) { checked = String(element.data('userGroups')).split(', '); } if (user) { var checkHandeler = function (group) { - if (user == OC.currentUser && group == 'admin') { + if (user === OC.currentUser && group === 'admin') { return false; } - if (!isadmin && checked.length == 1 && checked[0] == group) { + if (!isadmin && checked.length === 1 && checked[0] === group) { return false; } $.post( @@ -280,12 +280,12 @@ var UserList = { minWidth: 100 }); } - if ($(element).attr('class') == 'subadminsselect') { + if ($(element).attr('class') === 'subadminsselect') { if (element.data('subadmin')) { checked = String(element.data('subadmin')).split(', '); } var checkHandeler = function (group) { - if (group == 'admin') { + if (group === 'admin') { return false; } $.post( @@ -301,7 +301,7 @@ var UserList = { var addSubAdmin = function (group) { $('select[multiple]').each(function (index, element) { - if ($(element).find('option[value="' + group + '"]').length == 0) { + if ($(element).find('option[value="' + group + '"]').length === 0) { $(element).append(''); } }) @@ -349,7 +349,7 @@ $(document).ready(function () { img.parent().children('span').replaceWith(input); input.focus(); input.keypress(function (event) { - if (event.keyCode == 13) { + if (event.keyCode === 13) { if ($(this).val().length > 0) { var recoveryPasswordVal = $('input:password[id="recoveryPassword"]').val(); $.post( @@ -390,7 +390,7 @@ $(document).ready(function () { img.parent().children('span').replaceWith(input); input.focus(); input.keypress(function (event) { - if (event.keyCode == 13) { + if (event.keyCode === 13) { if ($(this).val().length > 0) { $.post( OC.filePath('settings', 'ajax', 'changedisplayname.php'), @@ -423,13 +423,13 @@ $(document).ready(function () { event.preventDefault(); var username = $('#newusername').val(); var password = $('#newuserpassword').val(); - if ($.trim(username) == '') { + if ($.trim(username) === '') { OC.dialogs.alert( t('settings', 'A valid username must be provided'), t('settings', 'Error creating user')); return false; } - if ($.trim(password) == '') { + if ($.trim(password) === '') { OC.dialogs.alert( t('settings', 'A valid password must be provided'), t('settings', 'Error creating user')); @@ -445,7 +445,7 @@ $(document).ready(function () { groups: groups }, function (result) { - if (result.status != 'success') { + if (result.status !== 'success') { OC.dialogs.alert(result.data.message, t('settings', 'Error creating user')); } else { diff --git a/settings/l10n/ar.php b/settings/l10n/ar.php index 73eb412774..0f23111abb 100644 --- a/settings/l10n/ar.php +++ b/settings/l10n/ar.php @@ -97,7 +97,6 @@ "Language" => "اللغة", "Help translate" => "ساعد في الترجمه", "WebDAV" => "WebDAV", -"Use this address to connect to your ownCloud in your file manager" => "إستخدم هذا العنوان للإتصال بـ ownCloud في مدير الملفات", "Login Name" => "اسم الدخول", "Create" => "انشئ", "Default Storage" => "وحدة التخزين الافتراضية", diff --git a/settings/l10n/bn_BD.php b/settings/l10n/bn_BD.php index d5cecb60aa..c5116af746 100644 --- a/settings/l10n/bn_BD.php +++ b/settings/l10n/bn_BD.php @@ -53,7 +53,6 @@ "Language" => "ভাষা", "Help translate" => "অনুবাদ করতে সহায়তা করুন", "WebDAV" => "WebDAV", -"Use this address to connect to your ownCloud in your file manager" => "আপনার ownCloud এ সংযুক্ত হতে এই ঠিকানাটি আপনার ফাইল ব্যবস্থাপকে ব্যবহার করুন", "Create" => "তৈরী কর", "Default Storage" => "পূর্বনির্ধারিত সংরক্ষণাগার", "Unlimited" => "অসীম", diff --git a/settings/l10n/ca.php b/settings/l10n/ca.php index 5125fa6ee6..ca75653bf8 100644 --- a/settings/l10n/ca.php +++ b/settings/l10n/ca.php @@ -98,7 +98,7 @@ "Language" => "Idioma", "Help translate" => "Ajudeu-nos amb la traducció", "WebDAV" => "WebDAV", -"Use this address to connect to your ownCloud in your file manager" => "Useu aquesta adreça per connectar amb ownCloud des del gestor de fitxers", +"Use this address to access your Files via WebDAV" => "Useu aquesta adreça per accedir als fitxers via WebDAV", "Login Name" => "Nom d'accés", "Create" => "Crea", "Admin Recovery Password" => "Recuperació de contrasenya d'administrador", diff --git a/settings/l10n/cs_CZ.php b/settings/l10n/cs_CZ.php index 24dd196469..2c4cd54523 100644 --- a/settings/l10n/cs_CZ.php +++ b/settings/l10n/cs_CZ.php @@ -98,7 +98,7 @@ "Language" => "Jazyk", "Help translate" => "Pomoci s překladem", "WebDAV" => "WebDAV", -"Use this address to connect to your ownCloud in your file manager" => "Použijte tuto adresu pro připojení k vašemu ownCloud skrze správce souborů", +"Use this address to access your Files via WebDAV" => "Použijte tuto adresu pro přístup k vašim souborům přes WebDAV", "Login Name" => "Přihlašovací jméno", "Create" => "Vytvořit", "Admin Recovery Password" => "Heslo obnovy správce", diff --git a/settings/l10n/da.php b/settings/l10n/da.php index d20ce6b140..94312fce49 100644 --- a/settings/l10n/da.php +++ b/settings/l10n/da.php @@ -98,7 +98,7 @@ "Language" => "Sprog", "Help translate" => "Hjælp med oversættelsen", "WebDAV" => "WebDAV", -"Use this address to connect to your ownCloud in your file manager" => "Brug denne adresse til at oprette forbindelse til din ownCloud i din filstyring", +"Use this address to access your Files via WebDAV" => "Anvend denne adresse til at tilgå dine filer via WebDAV", "Login Name" => "Loginnavn", "Create" => "Ny", "Admin Recovery Password" => "Administrator gendannelse kodeord", diff --git a/settings/l10n/de.php b/settings/l10n/de.php index c8fdc253e9..b32790f26e 100644 --- a/settings/l10n/de.php +++ b/settings/l10n/de.php @@ -56,6 +56,8 @@ "Allow apps to use the Share API" => "Erlaubt Apps die Nutzung der Share-API", "Allow links" => "Erlaubt Links", "Allow users to share items to the public with links" => "Erlaubt Benutzern, Inhalte über öffentliche Links zu teilen", +"Allow public uploads" => "Öffentliches Hochladen erlauben", +"Allow users to enable others to upload into their publicly shared folders" => "Erlaubt Benutzern die Freigabe anderer Benutzer in ihren öffentlich freigegebene Ordner hochladen zu dürfen", "Allow resharing" => "Erlaubt erneutes Teilen", "Allow users to share items shared with them again" => "Erlaubt Benutzern, mit ihnen geteilte Inhalte erneut zu teilen", "Allow users to share with anyone" => "Erlaubt Benutzern, mit jedem zu teilen", @@ -98,7 +100,7 @@ "Language" => "Sprache", "Help translate" => "Hilf bei der Übersetzung", "WebDAV" => "WebDAV", -"Use this address to connect to your ownCloud in your file manager" => "Verwende diese Adresse, um Deinen Dateimanager mit Deiner ownCloud zu verbinden", +"Use this address to access your Files via WebDAV" => "Verwenden Sie diese Adresse, um via WebDAV auf Ihre Dateien zuzugreifen", "Login Name" => "Loginname", "Create" => "Anlegen", "Admin Recovery Password" => "Admin-Wiederherstellungspasswort", diff --git a/settings/l10n/de_DE.php b/settings/l10n/de_DE.php index 700eda6c58..07003169c3 100644 --- a/settings/l10n/de_DE.php +++ b/settings/l10n/de_DE.php @@ -56,6 +56,8 @@ "Allow apps to use the Share API" => "Anwendungen erlauben, die Share-API zu benutzen", "Allow links" => "Links erlauben", "Allow users to share items to the public with links" => "Benutzern erlauben, Inhalte per öffentlichem Link zu teilen", +"Allow public uploads" => "Erlaube öffentliches hochladen", +"Allow users to enable others to upload into their publicly shared folders" => "Erlaubt Benutzern die Freigabe anderer Benutzer in ihren öffentlich freigegebene Ordner hochladen zu dürfen", "Allow resharing" => "Erlaube Weiterverteilen", "Allow users to share items shared with them again" => "Erlaubt Benutzern, mit ihnen geteilte Inhalte erneut zu teilen", "Allow users to share with anyone" => "Erlaubt Benutzern, mit jedem zu teilen", @@ -98,10 +100,10 @@ "Language" => "Sprache", "Help translate" => "Helfen Sie bei der Übersetzung", "WebDAV" => "WebDAV", -"Use this address to connect to your ownCloud in your file manager" => "Verwenden Sie diese Adresse, um Ihren Dateimanager mit Ihrer ownCloud zu verbinden", +"Use this address to access your Files via WebDAV" => "Verwenden Sie diese Adresse, um auf ihre Dateien per WebDAV zuzugreifen.", "Login Name" => "Loginname", "Create" => "Erstellen", -"Admin Recovery Password" => "Admin-Paswort-Wiederherstellung", +"Admin Recovery Password" => "Admin-Passwort-Wiederherstellung", "Enter the recovery password in order to recover the users files during password change" => "Geben Sie das Wiederherstellungspasswort ein, um die Benutzerdateien während Passwortänderung wiederherzustellen", "Default Storage" => "Standard-Speicher", "Unlimited" => "Unbegrenzt", diff --git a/settings/l10n/el.php b/settings/l10n/el.php index eee768db5c..a9f7f1fd18 100644 --- a/settings/l10n/el.php +++ b/settings/l10n/el.php @@ -98,7 +98,7 @@ "Language" => "Γλώσσα", "Help translate" => "Βοηθήστε στη μετάφραση", "WebDAV" => "WebDAV", -"Use this address to connect to your ownCloud in your file manager" => "Χρήση αυτής της διεύθυνσης για σύνδεση στο ownCloud με τον διαχειριστή αρχείων σας", +"Use this address to access your Files via WebDAV" => "Χρήση αυτής της διεύθυνσης για πρόσβαση των αρχείων σας μέσω WebDAV", "Login Name" => "Όνομα Σύνδεσης", "Create" => "Δημιουργία", "Admin Recovery Password" => "Κωδικός Επαναφοράς Διαχειριστή ", diff --git a/settings/l10n/eo.php b/settings/l10n/eo.php index 83e03f2f5d..5ca1cea113 100644 --- a/settings/l10n/eo.php +++ b/settings/l10n/eo.php @@ -68,7 +68,6 @@ "Language" => "Lingvo", "Help translate" => "Helpu traduki", "WebDAV" => "WebDAV", -"Use this address to connect to your ownCloud in your file manager" => "Uzu ĉi tiun adreson por konekti al via ownCloud vian dosieradministrilon", "Create" => "Krei", "Default Storage" => "Defaŭlta konservejo", "Unlimited" => "Senlima", diff --git a/settings/l10n/es.php b/settings/l10n/es.php index 9d6a2bedae..786266f563 100644 --- a/settings/l10n/es.php +++ b/settings/l10n/es.php @@ -98,7 +98,7 @@ "Language" => "Idioma", "Help translate" => "Ayúdnos a traducir", "WebDAV" => "WebDAV", -"Use this address to connect to your ownCloud in your file manager" => "Use esta dirección para conectarse a su cuenta de ownCloud en el administrador de archivos", +"Use this address to access your Files via WebDAV" => "Utilice esta dirección paraacceder a sus archivos a través de WebDAV", "Login Name" => "Nombre de usuario", "Create" => "Crear", "Admin Recovery Password" => "Recuperación de la contraseña de administración", diff --git a/settings/l10n/es_AR.php b/settings/l10n/es_AR.php index 9f147f8f2d..78c0c9ecbe 100644 --- a/settings/l10n/es_AR.php +++ b/settings/l10n/es_AR.php @@ -98,7 +98,7 @@ "Language" => "Idioma", "Help translate" => "Ayudanos a traducir", "WebDAV" => "WebDAV", -"Use this address to connect to your ownCloud in your file manager" => "Usá esta dirección para conectarte con ownCloud en tu Administrador de Archivos", +"Use this address to access your Files via WebDAV" => "Usá esta dirección para acceder a tus archivos a través de WebDAV", "Login Name" => "Nombre de Usuario", "Create" => "Crear", "Admin Recovery Password" => "Recuperación de contraseña de administrador", diff --git a/settings/l10n/et_EE.php b/settings/l10n/et_EE.php index 68cee88cf2..1e5b35989b 100644 --- a/settings/l10n/et_EE.php +++ b/settings/l10n/et_EE.php @@ -56,6 +56,8 @@ "Allow apps to use the Share API" => "Luba rakendustel kasutada Share API-t", "Allow links" => "Luba lingid", "Allow users to share items to the public with links" => "Luba kasutajatel jagada kirjeid avalike linkidega", +"Allow public uploads" => "Luba avalikud üleslaadimised", +"Allow users to enable others to upload into their publicly shared folders" => "Luba kasutajatel üleslaadimine teiste poolt oma avalikult jagatud kataloogidesse ", "Allow resharing" => "Luba edasijagamine", "Allow users to share items shared with them again" => "Luba kasutajatel jagada edasi kirjeid, mida on neile jagatud", "Allow users to share with anyone" => "Luba kasutajatel kõigiga jagada", @@ -98,7 +100,7 @@ "Language" => "Keel", "Help translate" => "Aita tõlkida", "WebDAV" => "WebDAV", -"Use this address to connect to your ownCloud in your file manager" => "Kasuta seda aadressi ühendamaks oma ownCloudi failihalduriga", +"Use this address to access your Files via WebDAV" => "Kasuta seda aadressi oma failidele ligipääsuks WebDAV kaudu", "Login Name" => "Kasutajanimi", "Create" => "Lisa", "Admin Recovery Password" => "Admin taasteparool", diff --git a/settings/l10n/eu.php b/settings/l10n/eu.php index f02ce9d37d..94751d916b 100644 --- a/settings/l10n/eu.php +++ b/settings/l10n/eu.php @@ -98,7 +98,7 @@ "Language" => "Hizkuntza", "Help translate" => "Lagundu itzultzen", "WebDAV" => "WebDAV", -"Use this address to connect to your ownCloud in your file manager" => "Erabili helbide hau zure fitxategi kudeatzailean zure ownCloudera konektatzeko", +"Use this address to access your Files via WebDAV" => "helbidea erabili zure fitxategiak WebDAV bidez eskuratzeko", "Login Name" => "Sarrera Izena", "Create" => "Sortu", "Admin Recovery Password" => "Kudeatzaile pasahitz berreskuratzea", diff --git a/settings/l10n/fa.php b/settings/l10n/fa.php index e0090996f2..a8a5e33824 100644 --- a/settings/l10n/fa.php +++ b/settings/l10n/fa.php @@ -1,6 +1,7 @@ "قادر به بارگذاری لیست از فروشگاه اپ نیستم", "Authentication error" => "خطا در اعتبار سنجی", +"Your display name has been changed." => "نام نمایش شما تغییر یافته است.", "Unable to change display name" => "امکان تغییر نام نمایشی شما وجود ندارد", "Group already exists" => "این گروه در حال حاضر موجود است", "Unable to add group" => "افزودن گروه امکان پذیر نیست", @@ -42,10 +43,14 @@ "Please double check the installation guides." => "لطفاً دوباره راهنمای نصبرا بررسی کنید.", "Module 'fileinfo' missing" => "ماژول 'fileinfo' از کار افتاده", "The PHP module 'fileinfo' is missing. We strongly recommend to enable this module to get best results with mime-type detection." => "ماژول 'fileinfo' PHP از کار افتاده است.ما اکیدا توصیه می کنیم که این ماژول را فعال کنید تا نتایج بهتری به وسیله ی mime-type detection دریافت کنید.", +"Locale not working" => "زبان محلی کار نمی کند.", "This ownCloud server can't set system locale to %s. This means that there might be problems with certain characters in file names. We strongly suggest to install the required packages on your system to support %s." => "این سرور ownCloud نمی تواند سیستم محلی را بر روی %s تنظیم کند.این به این معنی ست که ممکن است با کاراکترهای خاصی در نام فایل ها مشکل داشته باشد.ما اکیداً نصب کردن بسته های لازم را بر روی سیستم خودتان برای پشتیبانی %s توصیه می کنیم.", "Internet connection not working" => "اتصال اینترنت کار نمی کند", "This ownCloud server has no working internet connection. This means that some of the features like mounting of external storage, notifications about updates or installation of 3rd party apps don´t work. Accessing files from remote and sending of notification emails might also not work. We suggest to enable internet connection for this server if you want to have all features of ownCloud." => "این سرور OwnCloud ارتباط اینترنتی ندارد.این بدین معناست که بعضی از خصوصیات نظیر خارج کردن منبع ذخیره ی خارجی، اطلاعات در مورد بروزرسانی ها یا نصب برنامه های نوع 3ام کار نمی کنند.دسترسی به فایل ها از راه دور و ارسال آگاه سازی ایمیل ها ممکن است همچنان کار نکنند.اگرشما همه ی خصوصیات OwnCloud می خواهید ما پیشنهاد می کنیم تا ارتباط اینترنتی مربوط به این سرور را فعال کنید.", +"Cron" => "زمانبند", "Execute one task with each page loaded" => "اجرای یک وظیفه با هر بار بارگذاری صفحه", +"cron.php is registered at a webcron service. Call the cron.php page in the owncloud root once a minute over http." => "cron.php در یک سرویس webcron ثبت شده است. تماس یک بار در دقیقه بر روی http با صفحه cron.php در ریشه owncloud .", +"Use systems cron service. Call the cron.php file in the owncloud folder via a system cronjob once a minute." => "استفاده از سیستم های سرویس cron . تماس یک بار در دقیقه با فایل cron.php در پوشه owncloud از طریق یک سیستم cronjob .", "Sharing" => "اشتراک گذاری", "Enable Share API" => "فعال کردن API اشتراک گذاری", "Allow apps to use the Share API" => "اجازه ی برنامه ها برای استفاده از API اشتراک گذاری", @@ -58,7 +63,9 @@ "Security" => "امنیت", "Enforce HTTPS" => "وادار کردن HTTPS", "Enforces the clients to connect to ownCloud via an encrypted connection." => "وادار کردن مشتریان برای ارتباط با ownCloud از طریق رمزگذاری ارتباط", +"Please connect to this ownCloud instance via HTTPS to enable or disable the SSL enforcement." => "از طریق HTTPS به این نسخه از ownCloud متصل شوید تا بتوانید SSL را فعال یا غیر فعال نمایید.", "Log" => "کارنامه", +"Log level" => "سطح ورود", "More" => "بیش‌تر", "Less" => "کم‌تر", "Version" => "نسخه", @@ -90,9 +97,12 @@ "Fill in an email address to enable password recovery" => "پست الکترونیکی را پرکنید تا بازیابی گذرواژه فعال شود", "Language" => "زبان", "Help translate" => "به ترجمه آن کمک کنید", -"Use this address to connect to your ownCloud in your file manager" => "از این نشانی برای اتصال به ownCloud خودتان در بخش مدیریت فایل خودتان استفاده کنید", +"WebDAV" => "WebDAV", +"Use this address to access your Files via WebDAV" => "استفاده ابن آدرس برای دسترسی فایل های شما از طریق WebDAV ", "Login Name" => "نام کاربری", "Create" => "ایجاد کردن", +"Admin Recovery Password" => "مدیریت بازیابی رمز عبور", +"Enter the recovery password in order to recover the users files during password change" => "در حین تغییر رمز عبور به منظور بازیابی فایل های کاربران، رمز عبور بازیابی را وارد کنید", "Default Storage" => "ذخیره سازی پیش فرض", "Unlimited" => "نامحدود", "Other" => "دیگر", diff --git a/settings/l10n/fi_FI.php b/settings/l10n/fi_FI.php index 80ce2a7076..282e619009 100644 --- a/settings/l10n/fi_FI.php +++ b/settings/l10n/fi_FI.php @@ -32,7 +32,9 @@ "Group Admin" => "Ryhmän ylläpitäjä", "Delete" => "Poista", "add group" => "lisää ryhmä", +"A valid username must be provided" => "Anna kelvollinen käyttäjätunnus", "Error creating user" => "Virhe käyttäjää luotaessa", +"A valid password must be provided" => "Anna kelvollinen salasana", "__language_name__" => "_kielen_nimi_", "Security Warning" => "Turvallisuusvaroitus", "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." => "Data-kansio ja tiedostot ovat ehkä saavutettavissa Internetistä. .htaccess-tiedosto, jolla kontrolloidaan pääsyä, ei toimi. Suosittelemme, että muutat web-palvelimesi asetukset niin ettei data-kansio ole enää pääsyä tai siirrät data-kansion pois web-palvelimen tiedostojen juuresta.", @@ -70,6 +72,7 @@ "Forum" => "Keskustelupalsta", "Bugtracker" => "Ohjelmistovirheiden jäljitys", "Commercial Support" => "Kaupallinen tuki", +"Get the apps to sync your files" => "Aseta sovellukset synkronoimaan tiedostosi", "Show First Run Wizard again" => "Näytä ensimmäisen käyttökerran avustaja uudelleen", "You have used %s of the available %s" => "Käytössäsi on %s/%s", "Password" => "Salasana", @@ -85,7 +88,7 @@ "Language" => "Kieli", "Help translate" => "Auta kääntämisessä", "WebDAV" => "WebDAV", -"Use this address to connect to your ownCloud in your file manager" => "Käytä tätä osoitetta yhdistäessäsi ownCloudiisi tiedostonhallintaa käyttäen", +"Use this address to access your Files via WebDAV" => "Käytä tätä osoitetta päästäksesi käsiksi tiedostoihisi WebDAVin kautta", "Login Name" => "Kirjautumisnimi", "Create" => "Luo", "Default Storage" => "Oletustallennustila", diff --git a/settings/l10n/fr.php b/settings/l10n/fr.php index fde0806aab..3dd89edb90 100644 --- a/settings/l10n/fr.php +++ b/settings/l10n/fr.php @@ -98,7 +98,7 @@ "Language" => "Langue", "Help translate" => "Aidez à traduire", "WebDAV" => "WebDAV", -"Use this address to connect to your ownCloud in your file manager" => "Utiliser cette adresse pour vous connecter à ownCloud dans votre gestionnaire de fichiers", +"Use this address to access your Files via WebDAV" => "Utilisez cette adresse pour accéder à vos fichiers via WebDAV", "Login Name" => "Nom de la connexion", "Create" => "Créer", "Admin Recovery Password" => "Récupération du mot de passe administrateur", diff --git a/settings/l10n/gl.php b/settings/l10n/gl.php index 0d12e272f4..e871ad2a09 100644 --- a/settings/l10n/gl.php +++ b/settings/l10n/gl.php @@ -56,6 +56,8 @@ "Allow apps to use the Share API" => "Permitir que os aplicativos empreguen o API para compartir", "Allow links" => "Permitir ligazóns", "Allow users to share items to the public with links" => "Permitir que os usuarios compartan elementos ao público con ligazóns", +"Allow public uploads" => "Permitir os envíos públicos", +"Allow users to enable others to upload into their publicly shared folders" => "Permitir que os usuarios lle permitan a outros enviar aos seus cartafoles compartidos publicamente", "Allow resharing" => "Permitir compartir", "Allow users to share items shared with them again" => "Permitir que os usuarios compartan de novo os elementos compartidos con eles", "Allow users to share with anyone" => "Permitir que os usuarios compartan con calquera", @@ -98,7 +100,7 @@ "Language" => "Idioma", "Help translate" => "Axude na tradución", "WebDAV" => "WebDAV", -"Use this address to connect to your ownCloud in your file manager" => "Utilice este enderezo para conectarse ao seu ownCloud co administrador de ficheiros", +"Use this address to access your Files via WebDAV" => "Empregue esta ligazón para acceder aos sus ficheiros mediante WebDAV", "Login Name" => "Nome de acceso", "Create" => "Crear", "Admin Recovery Password" => "Contrasinal de recuperación do administrador", diff --git a/settings/l10n/he.php b/settings/l10n/he.php index 212bf1ed67..077bc9e97f 100644 --- a/settings/l10n/he.php +++ b/settings/l10n/he.php @@ -90,7 +90,6 @@ "Language" => "פה", "Help translate" => "עזרה בתרגום", "WebDAV" => "WebDAV", -"Use this address to connect to your ownCloud in your file manager" => "השתמש בכתובת זאת על מנת להתחבר אל ownCloud דרך סייר קבצים.", "Login Name" => "שם כניסה", "Create" => "יצירה", "Admin Recovery Password" => "ססמת השחזור של המנהל", diff --git a/settings/l10n/hi.php b/settings/l10n/hi.php index a9b508bcb2..eb3fcc251f 100644 --- a/settings/l10n/hi.php +++ b/settings/l10n/hi.php @@ -1,4 +1,6 @@ "त्रुटि", +"Update" => "अद्यतन", "Password" => "पासवर्ड", "New password" => "नया पासवर्ड", "Username" => "प्रयोक्ता का नाम" diff --git a/settings/l10n/hu_HU.php b/settings/l10n/hu_HU.php index 57482afefc..dba63166ef 100644 --- a/settings/l10n/hu_HU.php +++ b/settings/l10n/hu_HU.php @@ -98,7 +98,7 @@ "Language" => "Nyelv", "Help translate" => "Segítsen a fordításban!", "WebDAV" => "WebDAV", -"Use this address to connect to your ownCloud in your file manager" => "Ennek a címnek a megadásával a WebDAV-protokollon keresztül saját gépének fájlkezelőjével is is elérheti az állományait.", +"Use this address to access your Files via WebDAV" => "Ezt a címet használja, ha WebDAV-on keresztül szeretné elérni az állományait", "Login Name" => "Bejelentkezési név", "Create" => "Létrehozás", "Admin Recovery Password" => "A jelszóvisszaállítás adminisztrációja", diff --git a/settings/l10n/id.php b/settings/l10n/id.php index f2e41221a9..012f5885b4 100644 --- a/settings/l10n/id.php +++ b/settings/l10n/id.php @@ -97,7 +97,6 @@ "Language" => "Bahasa", "Help translate" => "Bantu menerjemahkan", "WebDAV" => "WebDAV", -"Use this address to connect to your ownCloud in your file manager" => "Gunakan alamat ini untuk terhubung ke ownCloud Anda pada manajer berkas ", "Login Name" => "Nama Masuk", "Create" => "Buat", "Default Storage" => "Penyimpanan Baku", diff --git a/settings/l10n/is.php b/settings/l10n/is.php index aa3df8c3c4..fecc82ec6d 100644 --- a/settings/l10n/is.php +++ b/settings/l10n/is.php @@ -58,7 +58,6 @@ "Language" => "Tungumál", "Help translate" => "Hjálpa við þýðingu", "WebDAV" => "WebDAV", -"Use this address to connect to your ownCloud in your file manager" => "Notaðu þessa vefslóð til að tengjast ownCloud svæðinu þínu", "Create" => "Búa til", "Default Storage" => "Sjálfgefin gagnageymsla", "Unlimited" => "Ótakmarkað", diff --git a/settings/l10n/it.php b/settings/l10n/it.php index 85e78f5a21..995be0e998 100644 --- a/settings/l10n/it.php +++ b/settings/l10n/it.php @@ -56,6 +56,8 @@ "Allow apps to use the Share API" => "Consenti alle applicazioni di utilizzare le API di condivisione", "Allow links" => "Consenti collegamenti", "Allow users to share items to the public with links" => "Consenti agli utenti di condividere pubblicamente elementi tramite collegamenti", +"Allow public uploads" => "Consenti caricamenti pubblici", +"Allow users to enable others to upload into their publicly shared folders" => "Consenti agli utenti di abilitare altri al caricamento nelle loro cartelle pubbliche condivise", "Allow resharing" => "Consenti la ri-condivisione", "Allow users to share items shared with them again" => "Consenti agli utenti di condividere a loro volta elementi condivisi da altri", "Allow users to share with anyone" => "Consenti agli utenti di condividere con chiunque", @@ -98,7 +100,7 @@ "Language" => "Lingua", "Help translate" => "Migliora la traduzione", "WebDAV" => "WebDAV", -"Use this address to connect to your ownCloud in your file manager" => "Usa questo indirizzo per connetterti al tuo ownCloud dal tuo gestore file", +"Use this address to access your Files via WebDAV" => "Utilizza questo indirizzo per accedere ai tuoi file via WebDAV", "Login Name" => "Nome utente", "Create" => "Crea", "Admin Recovery Password" => "Password di ripristino amministrativa", diff --git a/settings/l10n/ja_JP.php b/settings/l10n/ja_JP.php index 1b2562261d..2ec6919492 100644 --- a/settings/l10n/ja_JP.php +++ b/settings/l10n/ja_JP.php @@ -98,7 +98,7 @@ "Language" => "言語", "Help translate" => "翻訳に協力する", "WebDAV" => "WebDAV", -"Use this address to connect to your ownCloud in your file manager" => "ファイルマネージャでownCloudに接続する際はこのアドレスを利用してください", +"Use this address to access your Files via WebDAV" => "WebDAV経由でファイルにアクセスするにはこのアドレスを利用してください", "Login Name" => "ログイン名", "Create" => "作成", "Admin Recovery Password" => "管理者復旧パスワード", diff --git a/settings/l10n/ka_GE.php b/settings/l10n/ka_GE.php index 812ad46bd7..302745052c 100644 --- a/settings/l10n/ka_GE.php +++ b/settings/l10n/ka_GE.php @@ -98,7 +98,6 @@ "Language" => "ენა", "Help translate" => "თარგმნის დახმარება", "WebDAV" => "WebDAV", -"Use this address to connect to your ownCloud in your file manager" => "გამოიყენე შემდეგი მისამართი ownCloud–თან დასაკავშირებლად შენს ფაილმენეჯერში", "Login Name" => "მომხმარებლის სახელი", "Create" => "შექმნა", "Default Storage" => "საწყისი საცავი", diff --git a/settings/l10n/ko.php b/settings/l10n/ko.php index de837677eb..230a2185bf 100644 --- a/settings/l10n/ko.php +++ b/settings/l10n/ko.php @@ -98,7 +98,6 @@ "Language" => "언어", "Help translate" => "번역 돕기", "WebDAV" => "WebDAV", -"Use this address to connect to your ownCloud in your file manager" => "파일 관리자에서 ownCloud에 접속하려면 이 주소를 사용하십시오", "Login Name" => "로그인 이름", "Create" => "만들기", "Admin Recovery Password" => "관리자 복구 암호", diff --git a/settings/l10n/lt_LT.php b/settings/l10n/lt_LT.php index eb628a530e..1e54dcb692 100644 --- a/settings/l10n/lt_LT.php +++ b/settings/l10n/lt_LT.php @@ -1,32 +1,57 @@ "Neįmanoma įkelti sąrašo iš Programų Katalogo", "Authentication error" => "Autentikacijos klaida", +"Group already exists" => "Grupė jau egzistuoja", +"Unable to add group" => "Nepavyko pridėti grupės", "Could not enable app. " => "Nepavyksta įjungti aplikacijos.", "Email saved" => "El. paštas išsaugotas", "Invalid email" => "Netinkamas el. paštas", +"Unable to delete group" => "Nepavyko ištrinti grupės", +"Unable to delete user" => "Nepavyko ištrinti vartotojo", "Language changed" => "Kalba pakeista", "Invalid request" => "Klaidinga užklausa", +"Unable to add user to group %s" => "Nepavyko pridėti vartotojo prie grupės %s", +"Unable to remove user from group %s" => "Nepavyko ištrinti vartotojo iš grupės %s", +"Couldn't update app." => "Nepavyko atnaujinti programos.", +"Update to {appversion}" => "Atnaujinti iki {appversion}", "Disable" => "Išjungti", "Enable" => "Įjungti", +"Please wait...." => "Prašome palaukti...", "Error" => "Klaida", +"Updating...." => "Atnaujinama...", +"Error while updating app" => "Įvyko klaida atnaujinant programą", +"Updated" => "Atnaujinta", "Saving..." => "Saugoma...", +"deleted" => "ištrinta", "undo" => "anuliuoti", +"Unable to remove user" => "Nepavyko ištrinti vartotojo", "Groups" => "Grupės", "Delete" => "Ištrinti", +"add group" => "pridėti grupę", +"A valid username must be provided" => "Vartotojo vardas turi būti tinkamas", +"Error creating user" => "Klaida kuriant vartotoją", +"A valid password must be provided" => "Slaptažodis turi būti tinkamas", "__language_name__" => "Kalba", "Security Warning" => "Saugumo pranešimas", "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." => "Jūsų duomenų aplankalas ir Jūsų failai turbūt yra pasiekiami per internetą. Failas .htaccess, kuris duodamas, neveikia. Mes rekomenduojame susitvarkyti savo nustatymsu taip, kad failai nebūtų pasiekiami per internetą, arba persikelti juos kitur.", +"Module 'fileinfo' missing" => "Trūksta 'fileinfo' modulio", "Cron" => "Cron", "Sharing" => "Dalijimasis", +"Allow links" => "Lesti nuorodas", +"Allow resharing" => "Leisti dalintis", +"Security" => "Saugumas", "Log" => "Žurnalas", "Log level" => "Žurnalo išsamumas", "More" => "Daugiau", "Less" => "Mažiau", +"Version" => "Versija", "Add your App" => "Pridėti programėlę", "More Apps" => "Daugiau aplikacijų", "Select an App" => "Pasirinkite programą", "-licensed by " => "- autorius", "Update" => "Atnaujinti", +"Forum" => "Forumas", +"Bugtracker" => "Klaidų sekimas", "Get the apps to sync your files" => "Atsisiųskite programėlių, kad sinchronizuotumėte savo failus", "Password" => "Slaptažodis", "Your password was changed" => "Jūsų slaptažodis buvo pakeistas", @@ -39,7 +64,12 @@ "Fill in an email address to enable password recovery" => "Pamiršto slaptažodžio atkūrimui įveskite savo el. pašto adresą", "Language" => "Kalba", "Help translate" => "Padėkite išversti", +"WebDAV" => "WebDAV", +"Login Name" => "Vartotojo vardas", "Create" => "Sukurti", +"Unlimited" => "Neribota", "Other" => "Kita", -"Username" => "Prisijungimo vardas" +"Username" => "Prisijungimo vardas", +"set new password" => "nustatyti naują slaptažodį", +"Default" => "Numatytasis" ); diff --git a/settings/l10n/lv.php b/settings/l10n/lv.php index ae2a3b2838..b9836634a0 100644 --- a/settings/l10n/lv.php +++ b/settings/l10n/lv.php @@ -97,7 +97,6 @@ "Language" => "Valoda", "Help translate" => "Palīdzi tulkot", "WebDAV" => "WebDAV", -"Use this address to connect to your ownCloud in your file manager" => "Izmanto šo adresi, lai, izmantojot datņu pārvaldnieku, savienotos ar savu ownCloud", "Login Name" => "Ierakstīšanās vārds", "Create" => "Izveidot", "Default Storage" => "Noklusējuma krātuve", diff --git a/settings/l10n/mk.php b/settings/l10n/mk.php index f42e5b07de..f36bb8c7fc 100644 --- a/settings/l10n/mk.php +++ b/settings/l10n/mk.php @@ -54,7 +54,6 @@ "Language" => "Јазик", "Help translate" => "Помогни во преводот", "WebDAV" => "WebDAV", -"Use this address to connect to your ownCloud in your file manager" => "Користете ја оваа адреса да ", "Create" => "Создај", "Other" => "Останато", "Username" => "Корисничко име" diff --git a/settings/l10n/nb_NO.php b/settings/l10n/nb_NO.php index 8b1c577e88..408b8570fd 100644 --- a/settings/l10n/nb_NO.php +++ b/settings/l10n/nb_NO.php @@ -98,7 +98,7 @@ "Language" => "Språk", "Help translate" => "Bidra til oversettelsen", "WebDAV" => "WebDAV", -"Use this address to connect to your ownCloud in your file manager" => "Bruk denne adressen for å kople til ownCloud i din filbehandler", +"Use this address to access your Files via WebDAV" => "Bruk denne adressen for å få tilgang til filene dine via WebDAV", "Login Name" => "Logginn navn", "Create" => "Opprett", "Default Storage" => "Standard lager", diff --git a/settings/l10n/nl.php b/settings/l10n/nl.php index 40220cbbd2..910e321b5f 100644 --- a/settings/l10n/nl.php +++ b/settings/l10n/nl.php @@ -98,7 +98,7 @@ "Language" => "Taal", "Help translate" => "Help met vertalen", "WebDAV" => "WebDAV", -"Use this address to connect to your ownCloud in your file manager" => "Gebruik dit adres om te verbinden met uw ownCloud in uw bestandsbeheer", +"Use this address to access your Files via WebDAV" => "Gebruik dit adres toegang tot uw bestanden via WebDAV", "Login Name" => "Inlognaam", "Create" => "Creëer", "Admin Recovery Password" => "Beheer herstel wachtwoord", diff --git a/settings/l10n/nn_NO.php b/settings/l10n/nn_NO.php index 4ec8d51db6..642f523006 100644 --- a/settings/l10n/nn_NO.php +++ b/settings/l10n/nn_NO.php @@ -98,7 +98,6 @@ "Language" => "Språk", "Help translate" => "Hjelp oss å omsetja", "WebDAV" => "WebDAV", -"Use this address to connect to your ownCloud in your file manager" => "Bruk denne adressa for å kopla til din ownCloud frå filhandsamaren din", "Login Name" => "Innloggingsnamn", "Create" => "Lag", "Default Storage" => "Standardlagring", diff --git a/settings/l10n/pl.php b/settings/l10n/pl.php index 4fea6b68ca..d5f4f5a155 100644 --- a/settings/l10n/pl.php +++ b/settings/l10n/pl.php @@ -98,7 +98,6 @@ "Language" => "Język", "Help translate" => "Pomóż w tłumaczeniu", "WebDAV" => "WebDAV", -"Use this address to connect to your ownCloud in your file manager" => "Użyj tego adresu aby podłączyć zasób ownCloud w menedżerze plików", "Login Name" => "Login", "Create" => "Utwórz", "Admin Recovery Password" => "Odzyskiwanie hasła administratora", diff --git a/settings/l10n/pt_BR.php b/settings/l10n/pt_BR.php index 48cc6200b3..a728c26689 100644 --- a/settings/l10n/pt_BR.php +++ b/settings/l10n/pt_BR.php @@ -56,6 +56,8 @@ "Allow apps to use the Share API" => "Permitir que aplicativos usem a API de Compartilhamento", "Allow links" => "Permitir links", "Allow users to share items to the public with links" => "Permitir que usuários compartilhem itens com o público usando links", +"Allow public uploads" => "Permitir envio público", +"Allow users to enable others to upload into their publicly shared folders" => "Permitir que usuários deem permissão a outros para enviarem arquivios para suas pastas compartilhadas publicamente", "Allow resharing" => "Permitir recompartilhamento", "Allow users to share items shared with them again" => "Permitir que usuários compartilhem novamente itens compartilhados com eles", "Allow users to share with anyone" => "Permitir que usuários compartilhem com qualquer um", @@ -98,7 +100,7 @@ "Language" => "Idioma", "Help translate" => "Ajude a traduzir", "WebDAV" => "WebDAV", -"Use this address to connect to your ownCloud in your file manager" => "Usar este endereço para conectar-se ao seu ownCloud no seu gerenciador de arquivos", +"Use this address to access your Files via WebDAV" => "Use esse endereço para acessar seus arquivos via WebDAV", "Login Name" => "Nome de Login", "Create" => "Criar", "Admin Recovery Password" => "Recuperação da Senha do Administrador", diff --git a/settings/l10n/pt_PT.php b/settings/l10n/pt_PT.php index 7a54ca74ba..259b303274 100644 --- a/settings/l10n/pt_PT.php +++ b/settings/l10n/pt_PT.php @@ -98,7 +98,7 @@ "Language" => "Idioma", "Help translate" => "Ajude a traduzir", "WebDAV" => "WebDAV", -"Use this address to connect to your ownCloud in your file manager" => "Use este endereço no seu gestor de ficheiros para ligar à sua ownCloud", +"Use this address to access your Files via WebDAV" => "Use este endereço para aceder aos seus ficheiros via WebDav", "Login Name" => "Nome de utilizador", "Create" => "Criar", "Admin Recovery Password" => "Recuperar password de administrador", diff --git a/settings/l10n/ro.php b/settings/l10n/ro.php index 48f18070f3..5fced87970 100644 --- a/settings/l10n/ro.php +++ b/settings/l10n/ro.php @@ -1,6 +1,8 @@ "Imposibil de încărcat lista din App Store", +"Unable to load list from App Store" => "Imposibil de actualizat lista din App Store.", "Authentication error" => "Eroare la autentificare", +"Your display name has been changed." => "Numele afişat a fost schimbat.", +"Unable to change display name" => "Imposibil de schimbat numele afişat.", "Group already exists" => "Grupul există deja", "Unable to add group" => "Nu s-a putut adăuga grupul", "Could not enable app. " => "Nu s-a putut activa aplicația.", @@ -13,18 +15,38 @@ "Admins can't remove themself from the admin group" => "Administratorii nu se pot șterge singuri din grupul admin", "Unable to add user to group %s" => "Nu s-a putut adăuga utilizatorul la grupul %s", "Unable to remove user from group %s" => "Nu s-a putut elimina utilizatorul din grupul %s", +"Couldn't update app." => "Aplicaţia nu s-a putut actualiza.", +"Update to {appversion}" => "Actualizat la {versiuneaaplicaţiei}", "Disable" => "Dezactivați", "Enable" => "Activare", +"Please wait...." => "Aşteptaţi vă rog....", "Error" => "Eroare", +"Updating...." => "Actualizare în curs....", +"Error while updating app" => "Eroare în timpul actualizării aplicaţiei", +"Updated" => "Actualizat", "Saving..." => "Se salvează...", "deleted" => "șters", "undo" => "Anulează ultima acțiune", +"Unable to remove user" => "Imposibil de eliminat utilizatorul", "Groups" => "Grupuri", "Group Admin" => "Grupul Admin ", "Delete" => "Șterge", +"add group" => "adăugaţi grupul", +"A valid username must be provided" => "Trebuie să furnizaţi un nume de utilizator valid", +"Error creating user" => "Eroare la crearea utilizatorului", +"A valid password must be provided" => "Trebuie să furnizaţi o parolă validă", "__language_name__" => "_language_name_", "Security Warning" => "Avertisment de securitate", "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." => "Directorul tău de date și fișierele tale probabil sunt accesibile prin internet. Fișierul .htaccess oferit de ownCloud nu funcționează. Îți recomandăm să configurezi server-ul tău web într-un mod în care directorul de date să nu mai fie accesibil sau mută directorul de date în afara directorului root al server-ului web.", +"Setup Warning" => "Atenţie la implementare", +"Your web server is not yet properly setup to allow files synchronization because the WebDAV interface seems to be broken." => "Serverul de web nu este încă setat corespunzător pentru a permite sincronizarea fișierelor deoarece interfața WebDAV pare a fi întreruptă.", +"Please double check the installation guides." => "Vă rugăm să verificați ghiduri de instalare.", +"Module 'fileinfo' missing" => "Modulul \"Fileinfo\" lipsește", +"The PHP module 'fileinfo' is missing. We strongly recommend to enable this module to get best results with mime-type detection." => "Modulul PHP \"Fileinfo\" lipsește. Va recomandam sa activaţi acest modul pentru a obține cele mai bune rezultate cu detectarea mime-type.", +"Locale not working" => "Localizarea nu funcționează", +"This ownCloud server can't set system locale to %s. This means that there might be problems with certain characters in file names. We strongly suggest to install the required packages on your system to support %s." => "Acest server ownCloud nu poate seta sistemul de localizare pentru% s. Acest lucru înseamnă că ar putea exista probleme cu anumite caractere în numele de fișiere. Vă recomandăm să instalați pachetele necesare pe sistemul dumneavoastră pentru a sprijini% s.", +"Internet connection not working" => "Conexiunea la internet nu funcționează", +"This ownCloud server has no working internet connection. This means that some of the features like mounting of external storage, notifications about updates or installation of 3rd party apps don´t work. Accessing files from remote and sending of notification emails might also not work. We suggest to enable internet connection for this server if you want to have all features of ownCloud." => "Acest server ownCloud nu are nici o conexiune la internet activă. Acest lucru înseamnă că anumite caracteristici, cum ar fi montarea mediilor de stocare externe, notificări despre actualizări sau instalarea de aplicatii tereţe nu funcționează. Accesarea fișierelor de la distanță și trimiterea de e-mailuri de notificare s-ar putea, de asemenea, să nu funcționeze. Vă sugerăm să permiteţi conectarea la Internet pentru acest server, dacă doriți să aveți toate caracteristicile de oferite de ownCloud.", "Cron" => "Cron", "Execute one task with each page loaded" => "Execută o sarcină la fiecare pagină încărcată", "cron.php is registered at a webcron service. Call the cron.php page in the owncloud root once a minute over http." => "cron.php este înregistrat în serviciul webcron. Accesează pagina cron.php din root-ul owncloud odată pe minut prin http.", @@ -38,6 +60,7 @@ "Allow users to share items shared with them again" => "Permite utilizatorilor să repartajeze fișiere partajate cu ei", "Allow users to share with anyone" => "Permite utilizatorilor să partajeze cu oricine", "Allow users to only share with users in their groups" => "Permite utilizatorilor să partajeze doar cu utilizatori din același grup", +"Security" => "Securitate", "Log" => "Jurnal de activitate", "Log level" => "Nivel jurnal", "More" => "Mai mult", @@ -70,7 +93,6 @@ "Language" => "Limba", "Help translate" => "Ajută la traducere", "WebDAV" => "WebDAV", -"Use this address to connect to your ownCloud in your file manager" => "Folosește această adresă pentru a conecta ownCloud cu managerul de fișiere", "Create" => "Crează", "Default Storage" => "Stocare implicită", "Unlimited" => "Nelimitată", diff --git a/settings/l10n/ru.php b/settings/l10n/ru.php index a179e3115a..ed6d207561 100644 --- a/settings/l10n/ru.php +++ b/settings/l10n/ru.php @@ -98,7 +98,7 @@ "Language" => "Язык", "Help translate" => "Помочь с переводом", "WebDAV" => "WebDAV", -"Use this address to connect to your ownCloud in your file manager" => "Используйте этот адрес для подключения файлового менеджера к этому хранилищу", +"Use this address to access your Files via WebDAV" => "Используйте этот адрес чтобы получить доступ к вашим файлам через WebDav - ", "Login Name" => "Имя пользователя", "Create" => "Создать", "Admin Recovery Password" => "Восстановление Пароля Администратора", diff --git a/settings/l10n/sk_SK.php b/settings/l10n/sk_SK.php index 9164cbd9b0..952df66d39 100644 --- a/settings/l10n/sk_SK.php +++ b/settings/l10n/sk_SK.php @@ -98,7 +98,7 @@ "Language" => "Jazyk", "Help translate" => "Pomôcť s prekladom", "WebDAV" => "WebDAV", -"Use this address to connect to your ownCloud in your file manager" => "Použite túto adresu pre pripojenie vášho ownCloud k súborovému správcovi", +"Use this address to access your Files via WebDAV" => "Použite túto adresu pre prístup k súborom cez WebDAV", "Login Name" => "Prihlasovacie meno", "Create" => "Vytvoriť", "Admin Recovery Password" => "Obnovenie hesla administrátora", diff --git a/settings/l10n/sl.php b/settings/l10n/sl.php index 63fb86485c..f9b6942b97 100644 --- a/settings/l10n/sl.php +++ b/settings/l10n/sl.php @@ -98,7 +98,6 @@ "Language" => "Jezik", "Help translate" => "Sodelujte pri prevajanju", "WebDAV" => "WebDAV", -"Use this address to connect to your ownCloud in your file manager" => "Ta naslov uporabite za povezavo upravljalnika datotek z oblakom ownCloud.", "Login Name" => "Prijavno ime", "Create" => "Ustvari", "Admin Recovery Password" => "Obnovitev administratorjevega gesla", diff --git a/settings/l10n/sr.php b/settings/l10n/sr.php index 2b95ddcad4..1d1bcdddf5 100644 --- a/settings/l10n/sr.php +++ b/settings/l10n/sr.php @@ -91,7 +91,6 @@ "Language" => "Језик", "Help translate" => " Помозите у превођењу", "WebDAV" => "WebDAV", -"Use this address to connect to your ownCloud in your file manager" => "Користите ову адресу да се повежете са ownCloud-ом у управљачу датотекама", "Login Name" => "Корисничко име", "Create" => "Направи", "Default Storage" => "Подразумевано складиште", diff --git a/settings/l10n/sv.php b/settings/l10n/sv.php index 8773fe0dc1..7a9f341e4d 100644 --- a/settings/l10n/sv.php +++ b/settings/l10n/sv.php @@ -98,7 +98,7 @@ "Language" => "Språk", "Help translate" => "Hjälp att översätta", "WebDAV" => "WebDAV", -"Use this address to connect to your ownCloud in your file manager" => "Använd denna adress för att ansluta till ownCloud i din filhanterare", +"Use this address to access your Files via WebDAV" => "Använd denna adress för att komma åt dina filer via WebDAV", "Login Name" => "Inloggningsnamn", "Create" => "Skapa", "Admin Recovery Password" => "Admin återställningslösenord", diff --git a/settings/l10n/th_TH.php b/settings/l10n/th_TH.php index 7221cd7348..9725df23c2 100644 --- a/settings/l10n/th_TH.php +++ b/settings/l10n/th_TH.php @@ -77,7 +77,6 @@ "Language" => "ภาษา", "Help translate" => "ช่วยกันแปล", "WebDAV" => "WebDAV", -"Use this address to connect to your ownCloud in your file manager" => "ใช้ที่อยู่นี้เพื่อเชื่อมต่อกับ ownCloud ในโปรแกรมจัดการไฟล์ของคุณ", "Login Name" => "ชื่อที่ใช้สำหรับเข้าสู่ระบบ", "Create" => "สร้าง", "Default Storage" => "พื้นที่จำกัดข้อมูลเริ่มต้น", diff --git a/settings/l10n/tr.php b/settings/l10n/tr.php index ef7b797ef6..0f33eb036c 100644 --- a/settings/l10n/tr.php +++ b/settings/l10n/tr.php @@ -98,10 +98,11 @@ "Language" => "Dil", "Help translate" => "Çevirilere yardım edin", "WebDAV" => "WebDAV", -"Use this address to connect to your ownCloud in your file manager" => "Bu adresi kullanarak ownCloud 'unuza dosya yöneticinizde bağlanın", +"Use this address to access your Files via WebDAV" => " Dosyalarınıza WebDAV üzerinen erişme için bu adresi kullanın", "Login Name" => "Giriş Adı", "Create" => "Oluştur", "Admin Recovery Password" => "Yönetici kurtarma parolası", +"Enter the recovery password in order to recover the users files during password change" => "Parola değiştirme sırasında kullanıcı dosyalarını kurtarmak için bir kurtarma paroalsı girin", "Default Storage" => "Varsayılan Depolama", "Unlimited" => "Limitsiz", "Other" => "Diğer", diff --git a/settings/l10n/uk.php b/settings/l10n/uk.php index 1de01ec6a0..8b567f3995 100644 --- a/settings/l10n/uk.php +++ b/settings/l10n/uk.php @@ -97,7 +97,6 @@ "Language" => "Мова", "Help translate" => "Допомогти з перекладом", "WebDAV" => "WebDAV", -"Use this address to connect to your ownCloud in your file manager" => "Використовуйте цю адресу для під'єднання до вашого ownCloud у вашому файловому менеджері", "Login Name" => "Ім'я Логіну", "Create" => "Створити", "Default Storage" => "сховище за замовчуванням", diff --git a/settings/l10n/vi.php b/settings/l10n/vi.php index 7eb5df0edf..4768e9b243 100644 --- a/settings/l10n/vi.php +++ b/settings/l10n/vi.php @@ -78,7 +78,6 @@ "Language" => "Ngôn ngữ", "Help translate" => "Hỗ trợ dịch thuật", "WebDAV" => "WebDAV", -"Use this address to connect to your ownCloud in your file manager" => "Sử dụng địa chỉ này để kết nối ownCloud của bạn trong trình quản lý file của bạn", "Login Name" => "Tên đăng nhập", "Create" => "Tạo", "Default Storage" => "Bộ nhớ mặc định", diff --git a/settings/l10n/zh_CN.GB2312.php b/settings/l10n/zh_CN.GB2312.php index 0457de48a2..789c93de23 100644 --- a/settings/l10n/zh_CN.GB2312.php +++ b/settings/l10n/zh_CN.GB2312.php @@ -46,6 +46,7 @@ "Locale not working" => "区域设置未运作", "This ownCloud server can't set system locale to %s. This means that there might be problems with certain characters in file names. We strongly suggest to install the required packages on your system to support %s." => "ownCloud 服务器不能把系统区域设置到 %s。这意味着文件名可内可能含有某些引起问题的字符。我们强烈建议在您的系统上安装必要的包来支持“%s”。", "Internet connection not working" => "互联网连接未运作", +"This ownCloud server has no working internet connection. This means that some of the features like mounting of external storage, notifications about updates or installation of 3rd party apps don´t work. Accessing files from remote and sending of notification emails might also not work. We suggest to enable internet connection for this server if you want to have all features of ownCloud." => "服务器没有可用的Internet连接。这意味着像挂载外部储存、更新提示和安装第三方插件等功能会失效。远程访问文件和发送邮件提醒也可能会失效。建议开启服务器的英特网网络。", "Cron" => "Cron", "Execute one task with each page loaded" => "在每个页面载入时执行一项任务", "cron.php is registered at a webcron service. Call the cron.php page in the owncloud root once a minute over http." => "cron.php 已作为 webcron 服务注册。owncloud 根用户将通过 http 协议每分钟调用一次 cron.php。", @@ -62,7 +63,9 @@ "Security" => "安全", "Enforce HTTPS" => "强制HTTPS", "Enforces the clients to connect to ownCloud via an encrypted connection." => "强制客户端通过加密连接与ownCloud连接", +"Please connect to this ownCloud instance via HTTPS to enable or disable the SSL enforcement." => "请先使用HTTPS访问本站以设置强制SSL的开关。", "Log" => "日志", +"Log level" => "日志等级", "More" => "更多", "Less" => "更少", "Version" => "版本", @@ -95,9 +98,11 @@ "Language" => "语言", "Help translate" => "帮助翻译", "WebDAV" => "WebDAV", -"Use this address to connect to your ownCloud in your file manager" => "使用此地址来在您的文件管理器中连接您的ownCloud", +"Use this address to access your Files via WebDAV" => "访问WebDAV请点击 此处", "Login Name" => "登录名", "Create" => "新建", +"Admin Recovery Password" => "管理员恢复密码", +"Enter the recovery password in order to recover the users files during password change" => "在恢复密码的过程中请输入恢复密钥来恢复用户数据", "Default Storage" => "默认容量", "Unlimited" => "无限制", "Other" => "其他", diff --git a/settings/l10n/zh_CN.php b/settings/l10n/zh_CN.php index 9156c9e270..7a11845404 100644 --- a/settings/l10n/zh_CN.php +++ b/settings/l10n/zh_CN.php @@ -98,7 +98,6 @@ "Language" => "语言", "Help translate" => "帮助翻译", "WebDAV" => "WebDAV", -"Use this address to connect to your ownCloud in your file manager" => "用该地址来连接文件管理器中的 ownCloud", "Login Name" => "登录名称", "Create" => "创建", "Admin Recovery Password" => "管理恢复密码", diff --git a/settings/l10n/zh_TW.php b/settings/l10n/zh_TW.php index 0d3ff7414b..937347d5a1 100644 --- a/settings/l10n/zh_TW.php +++ b/settings/l10n/zh_TW.php @@ -13,8 +13,8 @@ "Language changed" => "語言已變更", "Invalid request" => "無效請求", "Admins can't remove themself from the admin group" => "管理者帳號無法從管理者群組中移除", -"Unable to add user to group %s" => "使用者加入群組%s錯誤", -"Unable to remove user from group %s" => "使用者移出群組%s錯誤", +"Unable to add user to group %s" => "使用者加入群組 %s 錯誤", +"Unable to remove user from group %s" => "使用者移出群組 %s 錯誤", "Couldn't update app." => "無法更新應用程式", "Update to {appversion}" => "更新至 {appversion}", "Disable" => "停用", @@ -29,13 +29,13 @@ "undo" => "復原", "Unable to remove user" => "無法刪除用戶", "Groups" => "群組", -"Group Admin" => "群組 管理員", +"Group Admin" => "群組管理員", "Delete" => "刪除", "add group" => "新增群組", -"A valid username must be provided" => "一定要提供一個有效的用戶名", -"Error creating user" => "創建用戶時出現錯誤", +"A valid username must be provided" => "必須提供一個有效的用戶名", +"Error creating user" => "建立用戶時出現錯誤", "A valid password must be provided" => "一定要提供一個有效的密碼", -"__language_name__" => "__語言_名稱__", +"__language_name__" => "__language_name__", "Security Warning" => "安全性警告", "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." => "您的資料目錄 (Data Directory) 和檔案可能可以由網際網路上面公開存取。Owncloud 所提供的 .htaccess 設定檔並未生效,我們強烈建議您設定您的網頁伺服器以防止資料目錄被公開存取,或將您的資料目錄移出網頁伺服器的 document root 。", "Setup Warning" => "設定警告", @@ -45,9 +45,9 @@ "The PHP module 'fileinfo' is missing. We strongly recommend to enable this module to get best results with mime-type detection." => "未偵測到 PHP 模組 'fileinfo'。我們強烈建議啟用這個模組以取得最好的 mime-type 支援。", "Locale not working" => "語系無法運作", "This ownCloud server can't set system locale to %s. This means that there might be problems with certain characters in file names. We strongly suggest to install the required packages on your system to support %s." => "ownCloud 伺服器無法將系統語系設為 %s ,可能有一些檔名中的字元有問題,建議您安裝所有所需的套件以支援 %s 。", -"Internet connection not working" => "去連線", +"Internet connection not working" => "無網際網路存取", "This ownCloud server has no working internet connection. This means that some of the features like mounting of external storage, notifications about updates or installation of 3rd party apps don´t work. Accessing files from remote and sending of notification emails might also not work. We suggest to enable internet connection for this server if you want to have all features of ownCloud." => "這臺 ownCloud 伺服器沒有連接到網際網路,因此有些功能像是掛載外部儲存空間、更新 ownCloud 或應用程式的通知沒有辦法運作。透過網際網路存取檔案還有電子郵件通知可能也無法運作。如果想要 ownCloud 完整的功能,建議您將這臺伺服器連接至網際網路。", -"Cron" => "定期執行", +"Cron" => "Cron", "Execute one task with each page loaded" => "當頁面載入時,執行", "cron.php is registered at a webcron service. Call the cron.php page in the owncloud root once a minute over http." => "cron.php 已經在 webcron 服務當中註冊,請每分鐘透過 HTTP 呼叫 ownCloud 根目錄當中的 cron.php 一次。", "Use systems cron service. Call the cron.php file in the owncloud folder via a system cronjob once a minute." => "使用系統的 cron 服務,每分鐘執行一次 owncloud 資料夾中的 cron.php 。", @@ -55,21 +55,21 @@ "Enable Share API" => "啟用分享 API", "Allow apps to use the Share API" => "允許 apps 使用分享 API", "Allow links" => "允許連結", -"Allow users to share items to the public with links" => "允許使用者透過公開的連結分享檔案", +"Allow users to share items to the public with links" => "允許使用者以結連公開分享檔案", "Allow resharing" => "允許轉貼分享", "Allow users to share items shared with them again" => "允許使用者分享其他使用者分享給他的檔案", "Allow users to share with anyone" => "允許使用者與任何人分享檔案", "Allow users to only share with users in their groups" => "僅允許使用者在群組內分享", "Security" => "安全性", "Enforce HTTPS" => "強制啟用 HTTPS", -"Enforces the clients to connect to ownCloud via an encrypted connection." => "強制指定用戶端使用加密的連線連接到 ownCloud", +"Enforces the clients to connect to ownCloud via an encrypted connection." => "強制用戶端使用加密的連線連接到 ownCloud", "Please connect to this ownCloud instance via HTTPS to enable or disable the SSL enforcement." => "請使用 HTTPS 連線到 ownCloud,或是關閉強制使用 SSL 的選項。", "Log" => "紀錄", "Log level" => "紀錄層級", "More" => "更多", -"Less" => "少", +"Less" => "更少", "Version" => "版本", -"Developed by the ownCloud community, the source code is licensed under the AGPL." => "由ownCloud 社區開發,源代碼AGPL許可證下發布。", +"Developed by the ownCloud community, the source code is licensed under the AGPL." => "由 ownCloud 社群開發,原始碼AGPL 許可證下發布。", "Add your App" => "添加你的 App", "More Apps" => "更多Apps", "Select an App" => "選擇一個應用程式", @@ -98,10 +98,11 @@ "Language" => "語言", "Help translate" => "幫助翻譯", "WebDAV" => "WebDAV", -"Use this address to connect to your ownCloud in your file manager" => "在您的檔案管理員中使用這個地址來連線到 ownCloud", +"Use this address to access your Files via WebDAV" => "使用這個網址來透過 WebDAV 存取您的檔案", "Login Name" => "登入名稱", "Create" => "建立", "Admin Recovery Password" => "管理者復原密碼", +"Enter the recovery password in order to recover the users files during password change" => "為了修改密碼時能夠取回使用者資料,請輸入另一組還原用密碼", "Default Storage" => "預設儲存區", "Unlimited" => "無限制", "Other" => "其他", diff --git a/settings/personal.php b/settings/personal.php index 2c0b4b9e33..1e2e1cf672 100644 --- a/settings/personal.php +++ b/settings/personal.php @@ -34,7 +34,7 @@ $languages=array(); $commonlanguages = array(); foreach($languageCodes as $lang) { $l=OC_L10N::get('settings', $lang); - if(substr($l->t('__language_name__'), 0, 1)!='_') {//first check if the language name is in the translation file + if(substr($l->t('__language_name__'), 0, 1) !== '_') {//first check if the language name is in the translation file $ln=array('code'=>$lang, 'name'=> (string)$l->t('__language_name__')); }elseif(isset($languageNames[$lang])) { $ln=array('code'=>$lang, 'name'=>$languageNames[$lang]); diff --git a/settings/templates/admin.php b/settings/templates/admin.php index 4af53a649b..2b14c1460d 100644 --- a/settings/templates/admin.php +++ b/settings/templates/admin.php @@ -4,8 +4,6 @@ * See the COPYING-README file. */ $levels = array('Debug', 'Info', 'Warning', 'Error', 'Fatal'); - -$defaults = new OC_Defaults(); // initialize themable default strings and urls ?> t('Security Warning'));?> - t('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.')); ?> + t('Your data directory and your files are probably accessible from the internet. The .htaccess file 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.')); ?> @@ -32,7 +30,7 @@ if (!$_['isWebDavWorking']) { t('Your web server is not yet properly setup to allow files synchronization because the WebDAV interface seems to be broken.')); ?> - t('Please double check the installation guides.', 'http://doc.owncloud.org/server/5.0/admin_manual/installation.html')); ?> + t('Please double check the installation guides.', $theme->getDocBaseUrl().'/server/5.0/admin_manual/installation.html')); ?> @@ -62,7 +60,7 @@ if (!$_['islocaleworking']) { t('This ownCloud server can\'t set system locale to %s. This means that there might be problems with certain characters in file names. We strongly suggest to install the required packages on your system to support %s.', array($locales, $locales))); + p($l->t('System locale can\'t be set to %s. This means that there might be problems with certain characters in file names. We strongly suggest to install the required packages on your system to support %s.', array($locales, $locales))); ?> @@ -77,7 +75,7 @@ if (!$_['internetconnectionworking']) { t('Internet connection not working'));?> - t('This ownCloud server has no working internet connection. This means that some of the features like mounting of external storage, notifications about updates or installation of 3rd party apps don´t work. Accessing files from remote and sending of notification emails might also not work. We suggest to enable internet connection for this server if you want to have all features of ownCloud.')); ?> + t('This server has no working internet connection. This means that some of the features like mounting of external storage, notifications about updates or installation of 3rd party apps don´t work. Accessing files from remote and sending of notification emails might also not work. We suggest to enable internet connection for this server if you want to have all features.')); ?> @@ -96,7 +94,7 @@ if (!$_['internetconnectionworking']) {
      -ownCloud +<?php p($theme->getName()); ?>
     
      --
    -getName()); ?> - -getSlogan()); ?> -
    getBaseUrl());?>
     
    >
    @@ -106,21 +104,21 @@ if (!$_['internetconnectionworking']) {
    >
    - t("cron.php is registered at a webcron service. Call the cron.php page in the owncloud root once a minute over http.")); ?> + t("cron.php is registered at a webcron service to call cron.php once a minute over http.")); ?>
    >
    - t("Use systems cron service. Call the cron.php file in the owncloud folder via a system cronjob once a minute.")); ?> + t("Use systems cron service to call the cron.php file once a minute.")); ?>
    @@ -132,34 +130,44 @@ if (!$_['internetconnectionworking']) {
    /> + value="1" />
    t('Allow apps to use the Share API')); ?>
    > + > /> + value="1" />
    t('Allow users to share items to the public with links')); ?>
    > + /> +
    + t('Allow users to enable others to upload into their publicly shared folders')); ?> +
    > /> + value="1" />
    t('Allow users to share items shared with them again')); ?>
    > + > /> + value="global" />
    /> + value="groups_only" />